blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
4
201
content_id
stringlengths
40
40
detected_licenses
listlengths
0
85
license_type
stringclasses
2 values
repo_name
stringlengths
7
100
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
260 values
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
11.4k
681M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
17 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
80 values
src_encoding
stringclasses
28 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
8
9.86M
extension
stringclasses
52 values
content
stringlengths
8
9.86M
authors
listlengths
1
1
author
stringlengths
0
119
563011f19f38b32851a499aa6703fcdd3537c4a4
47b41314f54517a6b2e9ccb150005583d83d22c0
/Proj/Project2/CSC5_Project_V7/main.cpp
903611f40b15e2d1c0a19057e13ea46ad209e4c3
[]
no_license
cc119285/CarletonColleen_CSC5_40107
95359461445c38e23038d53708a62694296cc7be
8bab566ea7e91e430a975dcaa62c423d6af30078
refs/heads/master
2021-01-12T03:00:14.143946
2017-02-09T17:51:49
2017-02-09T17:51:49
78,146,282
0
0
null
null
null
null
UTF-8
C++
false
false
12,458
cpp
/* File: main.cpp Author: Colleen Carleton Created on February 8, 2017, 4:25 PM Purpose: A game where the user inputs a number, and a pair of dice will be * rolled that amount of times. If the two dice end up on the same number after * the last roll, then the user guesses what the number was. If they are * correct, they gain a point. Getting 5 points or more in 50 tries wins the * game. Alternatively, compete with another player to try to get the most * points. */ //System Libraries #include <iostream> //Input Output Library #include <ctime> //Time (for random dice rolls) Library #include <cstdlib> //Seed for random number generator #include <iomanip> //to set decimal points #include <fstream> //Input/Output to files library #include <cmath> //Math Library #include <vector> //Vector Library using namespace std; //User Libraries //Global Constants //Such as PI, Vc, -> Math/Science values //as well as conversions from system of units to another const int PERCNT=100; //Global constant for percent //Function Prototypes void mostOft(int &, short int, short int, short int, short int, short int, short int); //Function that determines most common value bool victory(bool, int, int = 5); //Function that determines win/loss void copy(int [],int [],int); //Copies array with points void copy(vector<int>, int [], int); //Copies an array's values to a vector void sortary(int[], int); //Sorts array containing scores int valsrch(int [], int, int); //Searches sorted array for point values in copy int fil2Ary(int[], int[][2], int); //Function that fills 2D array int sumPts(int[][2]); //Executable code begins here!!! int main(int argc, char** argv) { //Declare and Initialize Variables unsigned int numRoll; //number of times to roll dice char die1=0, die2=0; //dice int noTries=0; //number of tries (out of 50) int guess=0; //guess (for when dice rolled are equal) int points=0; //number of points the user has float percent=0.0; //Percentage of points out of attempts int value=0; //checks the value of each dice roll short int ones=0, twos=0, threes=0, fours=0, fives=0, sixes=0; //stores amount of each value bool win=false; //used to check for wins or losses int pts2win=5; //number of points needed to win int numPlrs=0; //Number of players string usrName; //User's name //Set random number seed srand(static_cast<unsigned int>(time(0))); //File to store dice rolls ofstream outFile; outFile.open("NumbersRolled.txt"); //open file to store values of dice //Explanation of the game cout<<"This is a game based on luck and guessing. Two dice will be rolled "; cout<<"the number of times you specify. If both dice have the same "<<endl; cout<<"value on the last roll, you will guess what number they landed on. If you "; cout<<"are correct, you will get a point. Getting five or more points will"; cout<<" win the game. You will have 50 attempts."<<endl; //Get number of players for the game cout<<"This game can be played by oneself or as a competition to see who can "; cout<<"earn the most points. Enter the number of players (1 or 2)."<<endl; cin>>numPlrs; while (numPlrs<1) { cout<<"Number of players must be at least one."<<endl; //Validate input cin>>numPlrs; } while (numPlrs>2) { cout<<"Number of players must be 1 or 2."<<endl; cin>>numPlrs; } //Array to store points (multi-player) const int POINTSZ=numPlrs; //Size of array- equal to number of players int ptsarry[POINTSZ]={0}; //Array to store points string usrarry[POINTSZ]; //Array to store usernames //For each player for (int plyrs=1; plyrs<=numPlrs; plyrs++) { points=0; //re-initialize to 0 for each player noTries=0; //re-initialize to 0 for each player cin.ignore(); cout<<"Enter your name."<<endl; getline(cin,usrName); //user's name cout<<"Enter the number of times you want to roll the dice for your first try"<<endl; cin>>numRoll; //first roll //do-while loop for the dice roll & guessing do { //First, roll the dice the specified number of times for (int rollDie=1; rollDie<=numRoll; rollDie++) { die1=rand()%6+1; //(1,6) die2=rand()%6+1; //(1,6) outFile<<die1<<" "<<die2<<endl; //output values to file } noTries++; //increment number of tries outFile<<endl; //a space between sets of values in file //Now, check to see if the dice have equal values if (die1==die2) { //if dice have same value cout<<"The dice were the same number. Guess what number it was."<<endl; cin>>guess; //input the user's guess //Validate user's guess while (guess<0 || guess>6) { cout<<"Guess is invalid. It must be between 1 and 6"<<endl; cin>>guess; } //Check guess to see if it was correct if (guess==die1) { cout<<"You are correct! You have gained a point."<<endl; //correct guess points++; //increment points } else { cout<<"Your guess was incorrect."<<endl; //incorrect guess } } else if (die1!=die2) { cout<<"The value of the dice was not the same."<<endl; //if dice do not have same value } //ask for next number of dice rolls cout<<"Input the number of times you want to roll the dice"<<endl; cin>>numRoll; //input number of rolls } while (noTries<=50); //Close file outFile.close(); //Calculate percentage of points percent=(static_cast<float>(points)/50)*PERCNT; //For more than one player, fill parallel array with username and points if (numPlrs>1) { usrarry[plyrs-1]=usrName; ptsarry[plyrs-1]=points; } } //Create 2D array to sum both player's points const int PLYRNUM=2; int ptsclc[POINTSZ][PLYRNUM]; //Call function to fill array fil2Ary(ptsarry, ptsclc, POINTSZ); //Copy to Vector vector<int> scores(2); copy(scores, ptsarry, POINTSZ); //Call function to sum points int ptsSum=0; ptsSum+=sumPts(ptsclc); //State results of the game //For single player if (numPlrs==1) { //Call function to display what value appeared most often mostOft(value, ones, twos, threes, fours, fives, sixes); //Calculate percentage of points percent=(static_cast<float>(points)/50)*PERCNT; //Calculate win/loss //Call function victory victory(win, points, pts2win); //Output results of the game if (win==true) { //if user won the game cout<<"Congratulations "<<usrName<<"! "; cout<<"You won the game!"<<endl; cout<<"You earned "<<points<<" points."<<endl; //output total points } if (win==false) { //if user lost the game cout<<"You did not win. Points earned: "<<points<<endl; //output total points } //Output percentage of points out of total points cout<<setprecision(2)<<fixed<<showpoint; cout<<"The percentage of points earned out of total attempts was "<<percent<<endl; } //For multiple players if (numPlrs>1) { //Create copy of array to sort int ptscopy[POINTSZ]; //Copy ptsarry to ptscopy copy(ptsarry, ptscopy, POINTSZ); //Sort scores from highest to lowest sortary(ptsarry, POINTSZ); //Search sorted array for values in copy int val; //Value searched for in swapped array int usrval; //Stores location of value in swapped array string usrcopy[POINTSZ]; //array to hold swapped usernames if ( ptsarry[0] != ptsarry[1] ) { for (int valsch=0; valsch<POINTSZ; valsch++) { val=ptscopy[valsch]; //location in original usrval=valsrch(ptsarry, POINTSZ, val); //location in swapped usrcopy[usrval]=usrarry[valsch]; } } else { usrcopy[0]=usrarry[0]; usrcopy[1]=usrarry[1]; } //Display scores cout<<"The scores are:"<<endl; for (int scorcnt=0; scorcnt<POINTSZ; scorcnt++) { cout<<setw(8)<<usrcopy[scorcnt]<<setw(5)<<ptsarry[scorcnt]<<endl; } cout<<"Total points earned: "<<ptsSum<<endl; } //Exit return 0; } int valsrch(int ptsarry[], int POINTSZ, int val) { //Declare variables int index = 0; int positon = -1; bool found = false; //Sort while (index<POINTSZ && !found) { if (ptsarry[index] == val) { // If the value is found found = true; // Set the flag positon = index; // Record the value's subscript } index++; // Go to the next element } return positon; // Return the position, or -1 } void copy(vector<int> scores, int ptsarry[], int POINTSZ) { //Copy the points from the array to the vector for (int j=0; j<POINTSZ; j++) { scores[j]=ptsarry[j]; } } void copy(int ptsarry[], int ptscopy[], int POINTSZ) { //Copy the points array for sorting for(int i=0;i<POINTSZ;i++){ ptscopy[i]=ptsarry[i]; } } void sortary(int ptsarry[], int POINTSZ) { //Declare variables bool swap; //Determines whether swap occurred int temp; //Temporarily holds value //Swap according to largest value do { swap=false; for (int count=0; count<(POINTSZ-1); count++) { if (ptsarry[count]<ptsarry[count+1]) { temp=ptsarry[count]; ptsarry[count]=ptsarry[count+1]; ptsarry[count+1]=temp; swap=true; } } } while (swap); } int sumPts(int ptsclc[][2]) { //Declare variables static int totl=0; //Total points earned //Get sum for (int sum=0; sum<2; sum++) { totl+=ptsclc[sum][0]; } return totl; } int fil2Ary(int ptsarry[], int ptsclc[][2], int POINTSZ) { //Fill 2D array to hold points and player's number for (int filcnt=0; filcnt<POINTSZ; filcnt++) { ptsclc[filcnt][0]=ptsarry[filcnt]; ptsclc[filcnt][1]=filcnt+1; } } bool victory(bool win, int points, int pts2win) { win=false; if (isgreater(points,pts2win)) { win=true; //set bool to true if user won the game } return win; } void mostOft(int &value, short int ones, short int twos, short int threes, short int fours, short int fives, short int sixes) { //Open file to read in values ifstream inFile; inFile.open("NumbersRolled.txt"); //Take values from the file and determine how many times each appeared while (inFile>>value) { switch (value) { case 1: ones++; break; //increment ones if value is a 1 case 2: twos++; break; //increment twos if value is a 2 case 3: threes++; break; //increment threes if value is a 3 case 4: fours++; break; //increment fours if value is a 4 case 5: fives++; break; //increment fives if value is a 5 case 6: sixes++; break; //increment sixes if value is a 6 default: cout<<"Failure at switch"<<endl; break; //default } } //Determine which value appeared most and output results if (sixes>fives && sixes>fours && sixes>threes && sixes>twos && sixes>ones) { cout<<"Six appeared most often."<<endl; } else if (fives>sixes && fives>fours &&fives>threes && fives>twos && fives>ones) { cout<<"Five appeared most often."<<endl; } else if (fours>sixes && fours>fives && fours>threes && fours>twos &&fives>ones) { cout<<"Four appeared most often."<<endl; } else if (threes>sixes && threes>fives &&threes>fours && threes>twos && threes>ones) { cout<<"Three appeared most often."<<endl; } else if (twos>sixes && twos>fives && twos>fours &&twos>threes && twos>ones) { cout<<"Two appeared most often."<<endl; } else { cout<<"One appeared most often."<<endl; } //Close file inFile.close(); }
[ "rcc" ]
rcc
f90d2e4256a3be6feda5a03ee0eb20036f9c64af
c24a2ee1c4b4d2d7e647aea0130f66d952c5c88e
/src/Command/CExport.cpp
1e739c5e96af261f451702d6717c84e9f2e65e8a
[]
no_license
PetrKoller/PlanningCalendar
0f0b73fecb7c1728c5b1ad3877f968bd10856315
fa5f64410a0c22a5a32339b26d7899d273bf5dfd
refs/heads/master
2023-06-15T16:24:18.069572
2021-07-07T18:05:39
2021-07-07T18:05:39
383,883,275
0
0
null
null
null
null
UTF-8
C++
false
false
1,656
cpp
#include "CExport.h" using namespace std; const std::string CExport::PATH = "./examples/exportedEvents.txt"; bool CExport::execute(CCalendar &calendar, std::unique_ptr<CDisplayMode> &displayMode) const { ofstream file(PATH); if(!file){ cout << "Cannot work with the file" << endl; return false; } if(calendar.getEvents().empty()){ cout << "None events to be exported" << endl; return true; } set<shared_ptr<CEvent>>exportedEvents; for(const auto & day : calendar.getEvents()){ for(const auto & ev : day.second ){ if(exportedEvents.count(ev) == 0){//event hasn't been exported yet ostringstream exportStream; set<shared_ptr<CEvent>>eventsToExport = ev->exportEvent(exportStream); //Crucial for recurring events exportedEvents.insert(ev); //we only want to export original event, the first one exportedEvents.insert(eventsToExport.begin(),eventsToExport.end()); //not the repeating ones. exportEvent returns the repeating ones if(!(file << exportStream.str() << endl)){ cout << "Unable to write into the file" << endl; return false; } } } } file.close(); cout << "Events exported to: " << PATH << endl; displayMode->draw(calendar); return true; } std::ostream &CExport::print(std::ostream &out) const { return out << "export - Export all events"; } std::unique_ptr<CCommand> CExport::clone()const { return make_unique<CExport>(); }
[ "kollepe1@fit.cvut.cz" ]
kollepe1@fit.cvut.cz
6b6e90cf4e398291d8f189adc10ac470a35c634b
6b6cbecc5cce2fda677eb4a222c9d025f8757db3
/Libraries/LibWeb/DOM/TagNames.h
55fefe2cd1b543dbb2c2934ddbe310222f1722db
[ "BSD-2-Clause" ]
permissive
matthewgraham1/serenity
6ccfbcc2f0e8e4035b978d8107d62427ccacae58
f591157eb8759c38e3e013921a5484c223bd3427
refs/heads/master
2022-11-22T05:20:46.248144
2020-07-16T17:08:39
2020-07-16T17:47:11
280,229,648
0
0
BSD-2-Clause
2020-07-16T18:33:44
2020-07-16T18:33:44
null
UTF-8
C++
false
false
5,947
h
/* * Copyright (c) 2020, Andreas Kling <kling@serenityos.org> * 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. * * 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 HOLDER 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. */ #pragma once #include <AK/FlyString.h> namespace Web { namespace HTML { namespace TagNames { void initialize(); #define ENUMERATE_HTML_TAGS \ __ENUMERATE_HTML_TAG(a) \ __ENUMERATE_HTML_TAG(address) \ __ENUMERATE_HTML_TAG(applet) \ __ENUMERATE_HTML_TAG(area) \ __ENUMERATE_HTML_TAG(article) \ __ENUMERATE_HTML_TAG(aside) \ __ENUMERATE_HTML_TAG(b) \ __ENUMERATE_HTML_TAG(base) \ __ENUMERATE_HTML_TAG(basefont) \ __ENUMERATE_HTML_TAG(bgsound) \ __ENUMERATE_HTML_TAG(big) \ __ENUMERATE_HTML_TAG(blink) \ __ENUMERATE_HTML_TAG(blockquote) \ __ENUMERATE_HTML_TAG(body) \ __ENUMERATE_HTML_TAG(br) \ __ENUMERATE_HTML_TAG(button) \ __ENUMERATE_HTML_TAG(canvas) \ __ENUMERATE_HTML_TAG(caption) \ __ENUMERATE_HTML_TAG(center) \ __ENUMERATE_HTML_TAG(code) \ __ENUMERATE_HTML_TAG(col) \ __ENUMERATE_HTML_TAG(colgroup) \ __ENUMERATE_HTML_TAG(dd) \ __ENUMERATE_HTML_TAG(details) \ __ENUMERATE_HTML_TAG(dialog) \ __ENUMERATE_HTML_TAG(dir) \ __ENUMERATE_HTML_TAG(div) \ __ENUMERATE_HTML_TAG(dl) \ __ENUMERATE_HTML_TAG(dt) \ __ENUMERATE_HTML_TAG(em) \ __ENUMERATE_HTML_TAG(embed) \ __ENUMERATE_HTML_TAG(fieldset) \ __ENUMERATE_HTML_TAG(figcaption) \ __ENUMERATE_HTML_TAG(figure) \ __ENUMERATE_HTML_TAG(font) \ __ENUMERATE_HTML_TAG(footer) \ __ENUMERATE_HTML_TAG(form) \ __ENUMERATE_HTML_TAG(frame) \ __ENUMERATE_HTML_TAG(frameset) \ __ENUMERATE_HTML_TAG(h1) \ __ENUMERATE_HTML_TAG(h2) \ __ENUMERATE_HTML_TAG(h3) \ __ENUMERATE_HTML_TAG(h4) \ __ENUMERATE_HTML_TAG(h5) \ __ENUMERATE_HTML_TAG(h6) \ __ENUMERATE_HTML_TAG(head) \ __ENUMERATE_HTML_TAG(header) \ __ENUMERATE_HTML_TAG(hgroup) \ __ENUMERATE_HTML_TAG(hr) \ __ENUMERATE_HTML_TAG(html) \ __ENUMERATE_HTML_TAG(i) \ __ENUMERATE_HTML_TAG(iframe) \ __ENUMERATE_HTML_TAG(image) \ __ENUMERATE_HTML_TAG(img) \ __ENUMERATE_HTML_TAG(input) \ __ENUMERATE_HTML_TAG(keygen) \ __ENUMERATE_HTML_TAG(li) \ __ENUMERATE_HTML_TAG(link) \ __ENUMERATE_HTML_TAG(listing) \ __ENUMERATE_HTML_TAG(main) \ __ENUMERATE_HTML_TAG(marquee) \ __ENUMERATE_HTML_TAG(math) \ __ENUMERATE_HTML_TAG(menu) \ __ENUMERATE_HTML_TAG(meta) \ __ENUMERATE_HTML_TAG(nav) \ __ENUMERATE_HTML_TAG(nobr) \ __ENUMERATE_HTML_TAG(noembed) \ __ENUMERATE_HTML_TAG(noframes) \ __ENUMERATE_HTML_TAG(noscript) \ __ENUMERATE_HTML_TAG(object) \ __ENUMERATE_HTML_TAG(ol) \ __ENUMERATE_HTML_TAG(optgroup) \ __ENUMERATE_HTML_TAG(option) \ __ENUMERATE_HTML_TAG(p) \ __ENUMERATE_HTML_TAG(param) \ __ENUMERATE_HTML_TAG(plaintext) \ __ENUMERATE_HTML_TAG(pre) \ __ENUMERATE_HTML_TAG(ruby) \ __ENUMERATE_HTML_TAG(rb) \ __ENUMERATE_HTML_TAG(rp) \ __ENUMERATE_HTML_TAG(rt) \ __ENUMERATE_HTML_TAG(rtc) \ __ENUMERATE_HTML_TAG(s) \ __ENUMERATE_HTML_TAG(script) \ __ENUMERATE_HTML_TAG(section) \ __ENUMERATE_HTML_TAG(select) \ __ENUMERATE_HTML_TAG(small) \ __ENUMERATE_HTML_TAG(source) \ __ENUMERATE_HTML_TAG(span) \ __ENUMERATE_HTML_TAG(strike) \ __ENUMERATE_HTML_TAG(strong) \ __ENUMERATE_HTML_TAG(style) \ __ENUMERATE_HTML_TAG(summary) \ __ENUMERATE_HTML_TAG(svg) \ __ENUMERATE_HTML_TAG(table) \ __ENUMERATE_HTML_TAG(tbody) \ __ENUMERATE_HTML_TAG(td) \ __ENUMERATE_HTML_TAG(template_) \ __ENUMERATE_HTML_TAG(textarea) \ __ENUMERATE_HTML_TAG(tfoot) \ __ENUMERATE_HTML_TAG(th) \ __ENUMERATE_HTML_TAG(thead) \ __ENUMERATE_HTML_TAG(title) \ __ENUMERATE_HTML_TAG(tr) \ __ENUMERATE_HTML_TAG(track) \ __ENUMERATE_HTML_TAG(tt) \ __ENUMERATE_HTML_TAG(u) \ __ENUMERATE_HTML_TAG(ul) \ __ENUMERATE_HTML_TAG(wbr) \ __ENUMERATE_HTML_TAG(xmp) #define __ENUMERATE_HTML_TAG(name) extern FlyString name; ENUMERATE_HTML_TAGS #undef __ENUMERATE_HTML_TAG } } }
[ "kling@serenityos.org" ]
kling@serenityos.org
b722639e38cccb59fe19c3db25ea94a5b4de16e4
c3c3baa3ebd91d81aeb9bd33565361392dc7dcf9
/ArduinoBluetooth/ArduinoBluetoothSketch.ino
e60d5d54211858c5d3c5ca95f7a8a63bf731ea5c
[]
no_license
Athena96/FunWithArduino-CoreBluetooth
b02a8804a77be4390400594ab12e7d7e800c01a9
47985668326a29d97db3958a18f33df7c942b708
refs/heads/master
2021-06-11T19:39:45.899610
2017-01-06T19:39:37
2017-01-06T19:39:37
78,233,442
0
0
null
null
null
null
UTF-8
C++
false
false
555
ino
#include <Servo.h> #include <SoftwareSerial.h> // Create servo object to control the servo Servo myservo; SoftwareSerial bluetoothDevice(4,5); int STOP = 90; void setup() { // put your setup code here, to run once: myservo.attach(9); // Attach the servo object to pin 9 myservo.write(STOP); // Initialize servo position to 0 bluetoothDevice.begin(9600); } void loop() { // See if new position data is available if (bluetoothDevice.available()) { myservo.write(bluetoothDevice.read()); // Write position to servo } }
[ "jaredfranzone@gmail.com" ]
jaredfranzone@gmail.com
02accd3a2a442d89718ad409b2558eed21201c87
73975dadd588a697b29241967ae51b7b52e46b1b
/mainwindow.h
8ccf35472a749c23b3215a7d41a3a5ae151a4222
[]
no_license
daviondk/DuplicateFinder
bea2a2b0872fae7a4476d9ec539c731e608a07ec
2b22e3763753874aee25bad6e75f239e98a249ea
refs/heads/master
2020-04-18T18:27:22.803870
2019-01-26T12:01:41
2019-01-26T12:01:41
167,684,057
0
0
null
null
null
null
UTF-8
C++
false
false
608
h
#ifndef MAINWINDOW_H #define MAINWINDOW_H #include <QMainWindow> namespace Ui { class MainWindow; } class MainWindow : public QMainWindow { Q_OBJECT public: explicit MainWindow(QWidget *parent = nullptr); ~MainWindow(); private slots: void on_openFolderBtn_clicked(); void on_addFolderBtn_clicked(); void on_deleteFolderBtn_clicked(); void on_directoryList_itemSelectionChanged(); void on_searchButton_clicked(); void update_addFolderBtn(); private: bool check_subfolders(const QString &folder); private: Ui::MainWindow *ui; }; #endif // MAINWINDOW_H
[ "daviondk@yandex.ru" ]
daviondk@yandex.ru
bfcba6dd17491867c27f3755d590e4619bc6df2c
793c8848753f530aab28076a4077deac815af5ac
/src/dskphone/logic/exp/src/expgtest/mockmsgobject.cpp
b22e32f12131f91a46a3fa593d922db895e9b429
[]
no_license
Parantido/sipphone
4c1b9b18a7a6e478514fe0aadb79335e734bc016
f402efb088bb42900867608cc9ccf15d9b946d7d
refs/heads/master
2021-09-10T20:12:36.553640
2018-03-30T12:44:13
2018-03-30T12:44:13
263,628,242
1
0
null
2020-05-13T12:49:19
2020-05-13T12:49:18
null
UTF-8
C++
false
false
509
cpp
#include "mockmsgobject.h" MockMsgObject * g_pMockMsgObj; namespace ETL_MsgQueueHelper { class msgObject { public: msgObject(unsigned int m = 0, unsigned int w = 0, int l = 0); ~msgObject(); }; msgObject::msgObject(unsigned int m /*= 0*/, unsigned int w /*=0*/, int l /*=0*/) { } msgObject::~msgObject() { } } //void msgObject::ReplyMessage(LRESULT result) //{ // g_pMockMsgObj->RMessage(result); //} // // //LPVOID msgObject::GetExtraData() //{ // return g_pMockMsgObj->GetExtraData(); //}
[ "rongxx@yealink.com" ]
rongxx@yealink.com
9ced44d54b51bf18a44a95879ec08ea87f974915
d48a833da418be56e9878379705332881e2abd02
/old_practise/codeforces/535-B/535-B-36635617.cpp
b263afa92210b521549f993fa381dbd43423911c
[]
no_license
convict-git/sport_coding
21a5fc9e0348e44eafaefe822cb749dfa4f7e53b
ae288a9930fac74ceb63dc8cc7250c854e364056
refs/heads/master
2021-07-05T21:35:14.348029
2021-01-01T17:53:34
2021-01-01T17:53:34
215,317,175
7
1
null
null
null
null
UTF-8
C++
false
false
321
cpp
#include <bits/stdc++.h> #define fr(x,y,z) for(auto i=y;i!=z;i++) #define er(x, y) cout<<x<<" "<<y #define t(x) pow(2,x) using namespace std; int main(int argc, char *argv[]){ string s; cin >> s; int n = s.size(),c=0; if(n!=1)fr(i,0,n-1)c+=t(n-1-i); fr(i,1,n+1) if(s[i-1] == '7') c+=t(n-i); er(++c,endl); }
[ "official.mr.convict@gmail.com" ]
official.mr.convict@gmail.com
2bc7ef7524bf550723f766768dcd96d94bd1af46
5a60d60fca2c2b8b44d602aca7016afb625bc628
/aws-cpp-sdk-mgn/include/aws/mgn/model/GetLaunchConfigurationResult.h
ed57c4099efe313b783c4b8477bcc3900cac1646
[ "Apache-2.0", "MIT", "JSON" ]
permissive
yuatpocketgems/aws-sdk-cpp
afaa0bb91b75082b63236cfc0126225c12771ed0
a0dcbc69c6000577ff0e8171de998ccdc2159c88
refs/heads/master
2023-01-23T10:03:50.077672
2023-01-04T22:42:53
2023-01-04T22:42:53
134,497,260
0
1
null
2018-05-23T01:47:14
2018-05-23T01:47:14
null
UTF-8
C++
false
false
12,243
h
/** * Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved. * SPDX-License-Identifier: Apache-2.0. */ #pragma once #include <aws/mgn/Mgn_EXPORTS.h> #include <aws/mgn/model/BootMode.h> #include <aws/core/utils/memory/stl/AWSString.h> #include <aws/mgn/model/LaunchDisposition.h> #include <aws/mgn/model/Licensing.h> #include <aws/mgn/model/PostLaunchActions.h> #include <aws/mgn/model/TargetInstanceTypeRightSizingMethod.h> #include <utility> namespace Aws { template<typename RESULT_TYPE> class AmazonWebServiceResult; namespace Utils { namespace Json { class JsonValue; } // namespace Json } // namespace Utils namespace mgn { namespace Model { class GetLaunchConfigurationResult { public: AWS_MGN_API GetLaunchConfigurationResult(); AWS_MGN_API GetLaunchConfigurationResult(const Aws::AmazonWebServiceResult<Aws::Utils::Json::JsonValue>& result); AWS_MGN_API GetLaunchConfigurationResult& operator=(const Aws::AmazonWebServiceResult<Aws::Utils::Json::JsonValue>& result); /** * <p>Launch configuration boot mode.</p> */ inline const BootMode& GetBootMode() const{ return m_bootMode; } /** * <p>Launch configuration boot mode.</p> */ inline void SetBootMode(const BootMode& value) { m_bootMode = value; } /** * <p>Launch configuration boot mode.</p> */ inline void SetBootMode(BootMode&& value) { m_bootMode = std::move(value); } /** * <p>Launch configuration boot mode.</p> */ inline GetLaunchConfigurationResult& WithBootMode(const BootMode& value) { SetBootMode(value); return *this;} /** * <p>Launch configuration boot mode.</p> */ inline GetLaunchConfigurationResult& WithBootMode(BootMode&& value) { SetBootMode(std::move(value)); return *this;} /** * <p>Copy Private IP during Launch Configuration.</p> */ inline bool GetCopyPrivateIp() const{ return m_copyPrivateIp; } /** * <p>Copy Private IP during Launch Configuration.</p> */ inline void SetCopyPrivateIp(bool value) { m_copyPrivateIp = value; } /** * <p>Copy Private IP during Launch Configuration.</p> */ inline GetLaunchConfigurationResult& WithCopyPrivateIp(bool value) { SetCopyPrivateIp(value); return *this;} /** * <p>Copy Tags during Launch Configuration.</p> */ inline bool GetCopyTags() const{ return m_copyTags; } /** * <p>Copy Tags during Launch Configuration.</p> */ inline void SetCopyTags(bool value) { m_copyTags = value; } /** * <p>Copy Tags during Launch Configuration.</p> */ inline GetLaunchConfigurationResult& WithCopyTags(bool value) { SetCopyTags(value); return *this;} /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline const Aws::String& GetEc2LaunchTemplateID() const{ return m_ec2LaunchTemplateID; } /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline void SetEc2LaunchTemplateID(const Aws::String& value) { m_ec2LaunchTemplateID = value; } /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline void SetEc2LaunchTemplateID(Aws::String&& value) { m_ec2LaunchTemplateID = std::move(value); } /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline void SetEc2LaunchTemplateID(const char* value) { m_ec2LaunchTemplateID.assign(value); } /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline GetLaunchConfigurationResult& WithEc2LaunchTemplateID(const Aws::String& value) { SetEc2LaunchTemplateID(value); return *this;} /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline GetLaunchConfigurationResult& WithEc2LaunchTemplateID(Aws::String&& value) { SetEc2LaunchTemplateID(std::move(value)); return *this;} /** * <p>Launch configuration EC2 Launch template ID.</p> */ inline GetLaunchConfigurationResult& WithEc2LaunchTemplateID(const char* value) { SetEc2LaunchTemplateID(value); return *this;} /** * <p>Enable map auto tagging.</p> */ inline bool GetEnableMapAutoTagging() const{ return m_enableMapAutoTagging; } /** * <p>Enable map auto tagging.</p> */ inline void SetEnableMapAutoTagging(bool value) { m_enableMapAutoTagging = value; } /** * <p>Enable map auto tagging.</p> */ inline GetLaunchConfigurationResult& WithEnableMapAutoTagging(bool value) { SetEnableMapAutoTagging(value); return *this;} /** * <p>Launch disposition for launch configuration.</p> */ inline const LaunchDisposition& GetLaunchDisposition() const{ return m_launchDisposition; } /** * <p>Launch disposition for launch configuration.</p> */ inline void SetLaunchDisposition(const LaunchDisposition& value) { m_launchDisposition = value; } /** * <p>Launch disposition for launch configuration.</p> */ inline void SetLaunchDisposition(LaunchDisposition&& value) { m_launchDisposition = std::move(value); } /** * <p>Launch disposition for launch configuration.</p> */ inline GetLaunchConfigurationResult& WithLaunchDisposition(const LaunchDisposition& value) { SetLaunchDisposition(value); return *this;} /** * <p>Launch disposition for launch configuration.</p> */ inline GetLaunchConfigurationResult& WithLaunchDisposition(LaunchDisposition&& value) { SetLaunchDisposition(std::move(value)); return *this;} /** * <p>Launch configuration OS licensing.</p> */ inline const Licensing& GetLicensing() const{ return m_licensing; } /** * <p>Launch configuration OS licensing.</p> */ inline void SetLicensing(const Licensing& value) { m_licensing = value; } /** * <p>Launch configuration OS licensing.</p> */ inline void SetLicensing(Licensing&& value) { m_licensing = std::move(value); } /** * <p>Launch configuration OS licensing.</p> */ inline GetLaunchConfigurationResult& WithLicensing(const Licensing& value) { SetLicensing(value); return *this;} /** * <p>Launch configuration OS licensing.</p> */ inline GetLaunchConfigurationResult& WithLicensing(Licensing&& value) { SetLicensing(std::move(value)); return *this;} /** * <p>Map auto tagging MPE ID.</p> */ inline const Aws::String& GetMapAutoTaggingMpeID() const{ return m_mapAutoTaggingMpeID; } /** * <p>Map auto tagging MPE ID.</p> */ inline void SetMapAutoTaggingMpeID(const Aws::String& value) { m_mapAutoTaggingMpeID = value; } /** * <p>Map auto tagging MPE ID.</p> */ inline void SetMapAutoTaggingMpeID(Aws::String&& value) { m_mapAutoTaggingMpeID = std::move(value); } /** * <p>Map auto tagging MPE ID.</p> */ inline void SetMapAutoTaggingMpeID(const char* value) { m_mapAutoTaggingMpeID.assign(value); } /** * <p>Map auto tagging MPE ID.</p> */ inline GetLaunchConfigurationResult& WithMapAutoTaggingMpeID(const Aws::String& value) { SetMapAutoTaggingMpeID(value); return *this;} /** * <p>Map auto tagging MPE ID.</p> */ inline GetLaunchConfigurationResult& WithMapAutoTaggingMpeID(Aws::String&& value) { SetMapAutoTaggingMpeID(std::move(value)); return *this;} /** * <p>Map auto tagging MPE ID.</p> */ inline GetLaunchConfigurationResult& WithMapAutoTaggingMpeID(const char* value) { SetMapAutoTaggingMpeID(value); return *this;} /** * <p>Launch configuration name.</p> */ inline const Aws::String& GetName() const{ return m_name; } /** * <p>Launch configuration name.</p> */ inline void SetName(const Aws::String& value) { m_name = value; } /** * <p>Launch configuration name.</p> */ inline void SetName(Aws::String&& value) { m_name = std::move(value); } /** * <p>Launch configuration name.</p> */ inline void SetName(const char* value) { m_name.assign(value); } /** * <p>Launch configuration name.</p> */ inline GetLaunchConfigurationResult& WithName(const Aws::String& value) { SetName(value); return *this;} /** * <p>Launch configuration name.</p> */ inline GetLaunchConfigurationResult& WithName(Aws::String&& value) { SetName(std::move(value)); return *this;} /** * <p>Launch configuration name.</p> */ inline GetLaunchConfigurationResult& WithName(const char* value) { SetName(value); return *this;} inline const PostLaunchActions& GetPostLaunchActions() const{ return m_postLaunchActions; } inline void SetPostLaunchActions(const PostLaunchActions& value) { m_postLaunchActions = value; } inline void SetPostLaunchActions(PostLaunchActions&& value) { m_postLaunchActions = std::move(value); } inline GetLaunchConfigurationResult& WithPostLaunchActions(const PostLaunchActions& value) { SetPostLaunchActions(value); return *this;} inline GetLaunchConfigurationResult& WithPostLaunchActions(PostLaunchActions&& value) { SetPostLaunchActions(std::move(value)); return *this;} /** * <p>Launch configuration Source Server ID.</p> */ inline const Aws::String& GetSourceServerID() const{ return m_sourceServerID; } /** * <p>Launch configuration Source Server ID.</p> */ inline void SetSourceServerID(const Aws::String& value) { m_sourceServerID = value; } /** * <p>Launch configuration Source Server ID.</p> */ inline void SetSourceServerID(Aws::String&& value) { m_sourceServerID = std::move(value); } /** * <p>Launch configuration Source Server ID.</p> */ inline void SetSourceServerID(const char* value) { m_sourceServerID.assign(value); } /** * <p>Launch configuration Source Server ID.</p> */ inline GetLaunchConfigurationResult& WithSourceServerID(const Aws::String& value) { SetSourceServerID(value); return *this;} /** * <p>Launch configuration Source Server ID.</p> */ inline GetLaunchConfigurationResult& WithSourceServerID(Aws::String&& value) { SetSourceServerID(std::move(value)); return *this;} /** * <p>Launch configuration Source Server ID.</p> */ inline GetLaunchConfigurationResult& WithSourceServerID(const char* value) { SetSourceServerID(value); return *this;} /** * <p>Launch configuration Target instance type right sizing method.</p> */ inline const TargetInstanceTypeRightSizingMethod& GetTargetInstanceTypeRightSizingMethod() const{ return m_targetInstanceTypeRightSizingMethod; } /** * <p>Launch configuration Target instance type right sizing method.</p> */ inline void SetTargetInstanceTypeRightSizingMethod(const TargetInstanceTypeRightSizingMethod& value) { m_targetInstanceTypeRightSizingMethod = value; } /** * <p>Launch configuration Target instance type right sizing method.</p> */ inline void SetTargetInstanceTypeRightSizingMethod(TargetInstanceTypeRightSizingMethod&& value) { m_targetInstanceTypeRightSizingMethod = std::move(value); } /** * <p>Launch configuration Target instance type right sizing method.</p> */ inline GetLaunchConfigurationResult& WithTargetInstanceTypeRightSizingMethod(const TargetInstanceTypeRightSizingMethod& value) { SetTargetInstanceTypeRightSizingMethod(value); return *this;} /** * <p>Launch configuration Target instance type right sizing method.</p> */ inline GetLaunchConfigurationResult& WithTargetInstanceTypeRightSizingMethod(TargetInstanceTypeRightSizingMethod&& value) { SetTargetInstanceTypeRightSizingMethod(std::move(value)); return *this;} private: BootMode m_bootMode; bool m_copyPrivateIp; bool m_copyTags; Aws::String m_ec2LaunchTemplateID; bool m_enableMapAutoTagging; LaunchDisposition m_launchDisposition; Licensing m_licensing; Aws::String m_mapAutoTaggingMpeID; Aws::String m_name; PostLaunchActions m_postLaunchActions; Aws::String m_sourceServerID; TargetInstanceTypeRightSizingMethod m_targetInstanceTypeRightSizingMethod; }; } // namespace Model } // namespace mgn } // namespace Aws
[ "aws-sdk-cpp-automation@github.com" ]
aws-sdk-cpp-automation@github.com
4c94c54e6e2139ac4c5399cc7088c8cc625343c8
5838cf8f133a62df151ed12a5f928a43c11772ed
/NT/inetsrv/msmq/src/activex/mqoa/event.cpp
7d9ea5322c1e5ce9a0a61a31fa422c7d4f713f88
[]
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
18,150
cpp
//=--------------------------------------------------------------------------= // event.Cpp //=--------------------------------------------------------------------------= // Copyright 1995 Microsoft Corporation. All Rights Reserved. // // THIS CODE AND INFORMATION IS PROVIDED "AS IS" WITHOUT WARRANTY OF // ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING BUT NOT LIMITED TO // THE IMPLIED WARRANTIES OF MERCHANTABILITY AND/OR FITNESS FOR A // PARTICULAR PURPOSE. //=--------------------------------------------------------------------------= // // the MSMQEvent object // // #include "stdafx.h" #include "dispids.h" #include "oautil.h" #include "msg.h" #include "q.h" #include <autoptr.h> const MsmqObjType x_ObjectType = eMSMQEvent; // debug... #include "debug.h" #include "debug_thread_id.h" #include "event.h" #define new DEBUG_NEW #ifdef _DEBUG #define SysAllocString DebSysAllocString #define SysReAllocString DebSysReAllocString #define SysFreeString DebSysFreeString #include <stdio.h> #include "cs.h" #include <mqmacro.h> #include <strsafe.h> #define MY_DISP_ASSERT(fTest, szMsg) { \ static char szAssert[] = #fTest; \ DisplayAssert(szMsg, szAssert, __FILE__, __LINE__); } #define MY_ASSERT1(fTest, szFmt, p1) \ if (!(fTest)) { \ char errmsg[200]; \ StringCchPrintfA(errmsg, TABLE_SIZE(errmsg), szFmt, p1); \ MY_DISP_ASSERT(fTest, errmsg); \ } #define MY_ASSERT2(fTest, szFmt, p1, p2) \ if (!(fTest)) { \ char errmsg[200]; \ StringCchPrintfA(errmsg, TABLE_SIZE(errmsg), szFmt, p1, p2); \ MY_DISP_ASSERT(fTest, errmsg); \ } #endif // _DEBUG // Used to coordinate user-thread queue ops and // queue lookup in falcon-thread callback // CCriticalSection g_csCallback(CCriticalSection::xAllocateSpinCount); // window class extern WNDCLASSA g_wndclassAsyncRcv; extern ATOM g_atomWndClass; //=--------------------------------------------------------------------------= // CMSMQEvent::CMSMQEvent //=--------------------------------------------------------------------------= // create the object // // Parameters: // // Notes: //#2619 RaananH Multithread async receive // CMSMQEvent::CMSMQEvent() { // TODO: initialize anything here // Register our "sub-classed" windowproc so that we can // send a message from the Falcon thread to the user's VB // thread in order to fire async events in the correct // context. // m_hwnd = CreateHiddenWindow(); DEBUG_THREAD_ID("creating hidden window"); ASSERTMSG(IsWindow(m_hwnd), "should have a valid window."); } //=--------------------------------------------------------------------------= // CMSMQEvent::~CMSMQEvent //=--------------------------------------------------------------------------= // "We all labour against our own cure, for death is the cure of all diseases" // - Sir Thomas Browne (1605 - 82) // // Notes: //#2619 RaananH Multithread async receive // CMSMQEvent::~CMSMQEvent () { // TODO: clean up anything here. DestroyHiddenWindow(); DEBUG_THREAD_ID("Event Destructor"); } //=--------------------------------------------------------------------------= // CMSMQEvent::InterfaceSupportsErrorInfo //=--------------------------------------------------------------------------= // // Notes: // STDMETHODIMP CMSMQEvent::InterfaceSupportsErrorInfo(REFIID riid) { static const IID* arr[] = { &IID_IMSMQEvent3, &IID_IMSMQEvent2, &IID_IMSMQEvent, &IID_IMSMQPrivateEvent, }; for (int i=0;i<sizeof(arr)/sizeof(arr[0]);i++) { if (InlineIsEqualGUID(*arr[i],riid)) return S_OK; } return S_FALSE; } // // IMSMQPrivateEvent methods // //=--------------------------------------------------------------------------= // CMSMQEvent::FireArrivedEvent //=--------------------------------------------------------------------------= // // Parameters: // // Output: // // Notes: HRESULT CMSMQEvent::FireArrivedEvent( IMSMQQueue __RPC_FAR *pq, long msgcursor) { DEBUG_THREAD_ID("firing Arrived"); return Fire_Arrived(pq, msgcursor); } //=--------------------------------------------------------------------------= // CMSMQEvent::FireArrivedErrorEvent //=--------------------------------------------------------------------------= // // Parameters: // // Output: // // Notes: HRESULT CMSMQEvent::FireArrivedErrorEvent( IMSMQQueue __RPC_FAR *pq, HRESULT hrStatus, long msgcursor) { DEBUG_THREAD_ID("firing ArrivedError"); return Fire_ArrivedError(pq, hrStatus, msgcursor); } //=--------------------------------------------------------------------------= // CMSMQEvent::get_Hwnd //=--------------------------------------------------------------------------= // // Parameters: // // Output: // // Notes: //#2619 RaananH Multithread async receive // HRESULT CMSMQEvent::get_Hwnd( long __RPC_FAR *phwnd) { *phwnd = (long) DWORD_PTR_TO_DWORD(m_hwnd); //safe cast since NT handles are 32 bits also on win64 return NOERROR; } //=--------------------------------------------------------------------------= // InternalReceiveCallback //=--------------------------------------------------------------------------= // Async callback handler. Runs in Falcon created thread. // We send message to user thread so that event is fired // in correct execution context. // // Parameters: // hrStatus, // hReceiveQueue, // dwTimeout, // dwAction, // pMessageProps, // lpOverlapped, // hCursor // MQMSG_CURSOR // // Output: // HRESULT - S_OK, E_NOINTERFACE // // Notes: //#2619 RaananH Multithread async receive // void APIENTRY InternalReceiveCallback( HRESULT hrStatus, QUEUEHANDLE hReceiveQueue, DWORD /*dwTimeout*/ , DWORD /*dwAction*/ , MQMSGPROPS* pmsgprops, LPOVERLAPPED /*lpOverlapped*/ , HANDLE /*hCursor*/ , MQMSGCURSOR msgcursor) { DEBUG_THREAD_ID("callback called"); // FireEvent... // Map handle to associated queue object // QueueNode * pqnode; HWND hwnd; BOOL fPostSucceeded; ASSERTMSG(pmsgprops == NULL, "received props in callback !"); //#2619 UNREFERENCED_PARAMETER(pmsgprops); // // UNDONE: 905: decrement dll refcount that we incremented // when we registered the callback. // CS lock(g_csCallback); // syncs other queue ops pqnode = CMSMQQueue::PqnodeOfHandle(hReceiveQueue); // if no queue, then ignore the callback otherwise // if the queue is open and it has a window // then send message to user-thread that will // trigger event firing. // if (pqnode) { // // 1884: allow event handler to reenable notifications // hwnd = pqnode->m_hwnd; ASSERTMSG(hwnd, "in callback but no active handler"); pqnode->m_hwnd = NULL; if (IsWindow(hwnd)) { // // #4092: get an unused window message // Note that we are currently locking the qnode so it is safe to call GetFreeWinmsg - // we are in a critical section (locked by g_csCallback) // WindowsMessage *pWinmsg = pqnode->GetFreeWinmsg(); ASSERTMSG(pWinmsg != NULL, "Couldn't get a free winmsg"); if (pWinmsg != NULL) { // // 1212: In principle, need to special case BUFFER_OVERFLOW // by growing buffer and synchronously peeking... // but since it's the user's responsibility to // receive the actual message, we'll just let our // usual InternalReceive handling deal with the // overflow... // // // 1900: pass msgcursor to event handler // pWinmsg->m_msgcursor = msgcursor; ASSERTMSG(hrStatus != MQ_ERROR_BUFFER_OVERFLOW, "unexpected buffer overflow!"); if (SUCCEEDED(hrStatus)) { // // Since we are in a Falcon created callback thread, // send a message to the user thread to trigger // event firing... // UNDONE: need to register unique Windows message. // Bug 1430: need to use PostMessage instead of // SendMessage otherwise get RPC_E_CANCALLOUT_ININPUTSYNCCALL // when attempting to call to exe (only?) server like // Excel in user-defined event handler. ASSERTMSG(g_uiMsgidArrived != 0, "g_uiMsgidArrived == 0"); //sanity DEBUG_THREAD_ID("in callback before post Arrived"); fPostSucceeded = PostMessageA(hwnd, g_uiMsgidArrived, (WPARAM)hReceiveQueue, (LPARAM)pWinmsg); DEBUG_THREAD_ID("in callback after post Arrived"); ASSERTMSG(fPostSucceeded, "PostMessage(Arrived) failed."); } else { pWinmsg->m_hrStatus = hrStatus; ASSERTMSG(g_uiMsgidArrivedError != 0, "g_uiMsgidArrivedError == 0"); //sanity DEBUG_THREAD_ID("in callback before post ArrivedError"); fPostSucceeded = PostMessageA(hwnd, g_uiMsgidArrivedError, (WPARAM)hReceiveQueue, (LPARAM)pWinmsg); DEBUG_THREAD_ID("in callback after post ArrivedError"); ASSERTMSG(fPostSucceeded, "PostMessage(ArrivedError) failed."); } } // if pWinmsg != NULL } // if IsWindow } // pqnode return; } //=--------------------------------------------------------------------------= // ReceiveCallback, ReceiveCallbackCurrent, ReceiveCallbackNext //=--------------------------------------------------------------------------= // Async callback handler. Runs in Falcon created thread. // We send message to user thread so that event is fired // in correct execution context. // NOTE: no cursor // // Parameters: // hrStatus, // hReceiveQueue, // dwTimeout, // dwAction, // pMessageProps, // lpOverlapped, // hCursor // // Output: // HRESULT - S_OK, E_NOINTERFACE // // Notes: // void APIENTRY ReceiveCallback( HRESULT hrStatus, QUEUEHANDLE hReceiveQueue, DWORD dwTimeout, DWORD dwAction, MQMSGPROPS* pmsgprops, LPOVERLAPPED lpOverlapped, HANDLE /*hCursor*/ ) { InternalReceiveCallback( hrStatus, hReceiveQueue, dwTimeout, dwAction, pmsgprops, lpOverlapped, 0, // no cursor MQMSG_FIRST ); } void APIENTRY ReceiveCallbackCurrent( HRESULT hrStatus, QUEUEHANDLE hReceiveQueue, DWORD dwTimeout, DWORD dwAction, MQMSGPROPS* pmsgprops, LPOVERLAPPED lpOverlapped, HANDLE hCursor) { InternalReceiveCallback( hrStatus, hReceiveQueue, dwTimeout, dwAction, pmsgprops, lpOverlapped, hCursor, MQMSG_CURRENT ); } void APIENTRY ReceiveCallbackNext( HRESULT hrStatus, QUEUEHANDLE hReceiveQueue, DWORD dwTimeout, DWORD dwAction, MQMSGPROPS* pmsgprops, LPOVERLAPPED lpOverlapped, HANDLE hCursor) { InternalReceiveCallback( hrStatus, hReceiveQueue, dwTimeout, dwAction, pmsgprops, lpOverlapped, hCursor, MQMSG_NEXT ); } //=--------------------------------------------------------------------------= // global CMSMQEvent_WindowProc //=--------------------------------------------------------------------------= // "derived" windowproc so that we can process our async event // msg. This is a nop if notification has been disabled. // // Parameters: // hwnd // msg we can handle Arrived/ArrivedError // wParam QUEUEHANDLE: hReceiveQueue // lParam [lErrorCode]: // lErrorCode: if ArrivedError // // Output: // LRESULT // // Notes: //#2619 RaananH Multithread async receive // LRESULT APIENTRY CMSMQEvent_WindowProc( HWND hwnd, UINT msg, WPARAM wParam, LPARAM lParam) { QueueNode *pqnode; HRESULT hresult; R<IMSMQQueue> pq; WindowsMessage winmsg; if((msg != g_uiMsgidArrived) && (msg != g_uiMsgidArrivedError)) return DefWindowProcA(hwnd, msg, wParam, lParam); DEBUG_THREAD_ID("winproc called"); // // Need to revalidate incoming hReceiveQueue by // lookup up (again) in queue list -- it might // have been deleted already since we previously // looked it up in another thread (falcon-created // callback thread). // { CS lock(g_csCallback); // syncs other queue ops pqnode = CMSMQQueue::PqnodeOfHandle((QUEUEHANDLE)wParam); if(!pqnode) return 0; // // #4092: consume winmsg and free it // Note that we are currently locking the qnode so it is safe to call FreeWinmsg - // we are in a critical section (locked by g_csCallback) // WindowsMessage * pWinmsg = (WindowsMessage *)lParam; ASSERTMSG(!pWinmsg->m_fIsFree, "received a free winmsg"); winmsg = *pWinmsg; pqnode->FreeWinmsg(pWinmsg); // // we exit critsect now so that we don't deadlock with user closing queue or // getting event in user thread. // // But before we exit critsect, we QI for IMSMQQueue to pass to the event handler. // This will also force it to stay alive while the handler is running. // We can use m_pq from here since now m_pq is Thread-Safe. // hresult = pqnode->m_pq->GetUnknown()->QueryInterface(IID_IMSMQQueue, (void **)&pq.ref()); ASSERTMSG(SUCCEEDED(hresult), "QI for IMSMQQueue on CMSMQQueue failed"); if(FAILED(hresult)) return 0; } // // get a pointer to the event object that created this window from the // window's extra bytes // CMSMQEvent * pCEvent = (CMSMQEvent *) GetWindowLongPtr(hwnd, 0); ASSERTMSG(pCEvent != NULL, "pCEvent from window is NULL"); if(pCEvent == NULL) return 0; // // fire event. // // this window procedure is now executed by the STA thread of the event obj (because // the window was created on that thread) therefore we can call the event object // directly without going through marshalling and interfaces // if(msg == g_uiMsgidArrived) { pCEvent->FireArrivedEvent( pq.get(), (long)winmsg.m_msgcursor ); } else { pCEvent->FireArrivedErrorEvent( pq.get(), (long)winmsg.m_hrStatus, (long)winmsg.m_msgcursor ); } return 0; } //=--------------------------------------------------------------------------= // CMSMQEvent::CreateHiddenWindow //=--------------------------------------------------------------------------= // creates a per-instance hidden window that is used for inter-thread // messaging from the Falcon async thread and the user thread. // // Parameters: // // Output: // // Notes: //#2619 RaananH Multithread async receive // HWND CMSMQEvent::CreateHiddenWindow() { HWND hwnd; LPCSTR lpClassName; lpClassName = (LPCSTR)g_atomWndClass; // can use ANSI version hwnd = CreateWindowA( // (LPCSTR)g_wndclassAsyncRcv.lpszClassName, lpClassName, "EventWindow", WS_DISABLED, CW_USEDEFAULT, CW_USEDEFAULT, CW_USEDEFAULT, CW_USEDEFAULT, NULL, // handle to parent or owner window NULL, // handle to menu or child-window identifier g_wndclassAsyncRcv.hInstance, NULL // pointer to window-creation data ); // // save a pointer to the event object that created the window in the window's extra bytes // // NOTE: We MUST NOT addref the event object here when we save a reference to it in the window's // data since the event object (and only the event object) controls the windows lifetime, // so if we addref here, the event object will never get to zero refcount threfore will never // be released // if (hwnd != NULL) { #ifdef _DEBUG SetLastError(0); LONG_PTR dwOldVal = SetWindowLongPtr(hwnd, 0, (LONG_PTR)this); if (dwOldVal == 0) { DWORD dwErr = GetLastError(); ASSERTMSG(dwErr == 0, "SetWindowLongPtr returned an error."); } #else // not _DEBUG SetWindowLongPtr(hwnd, 0, (LONG_PTR)this); #endif //_DEBUG } #ifdef _DEBUG m_dwDebugTid = GetCurrentThreadId(); DWORD dwErr; if (hwnd == 0) { dwErr = GetLastError(); ASSERTMSG(dwErr == 0, "CreateWindow returned an error."); } #endif // _DEBUG return hwnd; } //=--------------------------------------------------------------------------= // CMSMQEvent::DestroyHiddenWindow //=--------------------------------------------------------------------------= // destroys per-class hidden window that is used for inter-thread // messaging from the Falcon async thread and the user thread. // // Parameters: // // Output: // // Notes: //#2619 RaananH Multithread async receive // void CMSMQEvent::DestroyHiddenWindow() { ASSERTMSG(m_hwnd != 0, "should have a window handle."); if (IsWindow(m_hwnd)) { BOOL fDestroyed; // // NOTE: We don't release the event object in the window's data since we never // addref'ed it when setting the window's data. The reason we didn't addref it is that // if we did, the event object would never get to zero refcount becuase it controls // the life time of the window. // SetWindowLongPtr(m_hwnd, 0, (LONG_PTR)NULL); SetWindowPos(m_hwnd, 0,0,0,0,0, SWP_NOSIZE | SWP_NOZORDER | SWP_NOMOVE | SWP_FRAMECHANGED); fDestroyed = DestroyWindow(m_hwnd); #ifdef _DEBUG if (fDestroyed == FALSE) { DWORD dwErr = GetLastError(); DWORD dwTid = GetCurrentThreadId(); MY_ASSERT2(m_dwDebugTid == dwTid, "thread (%lx) destroying window created by thread (%lx)", dwTid, m_dwDebugTid); MY_ASSERT1(0, "hmm... couldn't destroy window (%lx).", dwErr); } #endif // _DEBUG } m_hwnd = NULL; } //=-------------------------------------------------------------------------= // CMSMQEvent::get_Properties //=-------------------------------------------------------------------------= // Gets object's properties collection // // Parameters: // ppcolProperties - [out] object's properties collection // // Output: // // Notes: // Stub - not implemented yet // HRESULT CMSMQEvent::get_Properties(IDispatch ** /*ppcolProperties*/ ) { // // Serialize access to object from interface methods // // Serialization not needed for this object, it is an apartment threaded object. // CS lock(m_csObj); // return CreateErrorHelper(E_NOTIMPL, x_ObjectType); }
[ "blindtiger@foxmail.com" ]
blindtiger@foxmail.com
bbc8162527bb1e0b19cc0d93bf93f0d2620a7dce
ff6a58517344b95d41bc281da5387e3dad58590e
/Objects/PlayerBullet.h
b236a30f97cc55cd5a39983805f957f94ea4615f
[]
no_license
agagtmdtlr/Cuphead_Editor
d7098582d62817be9d32d423b2b17bfcecd03627
4911c136f3edcc1e339e177e3054294d8c080e39
refs/heads/master
2023-03-01T17:30:30.929299
2021-02-15T04:31:01
2021-02-15T04:31:01
331,492,854
0
0
null
null
null
null
UTF-8
C++
false
false
1,502
h
#pragma once #include "Object.h" enum class PlAYER_BULLET_TYPE { peashot, homingshot, spreadshot }; class PlayerBullet :public Object { friend class PlayerBulletPool; public: PlayerBullet(Grid* grid,Object_Desc desc, SceneValues *values); ~PlayerBullet(); virtual void Update(D3DXMATRIX & V, D3DXMATRIX & P) override; bool bUpdate(D3DXMATRIX & V, D3DXMATRIX & P); virtual void Render() override; virtual RECT GetHitBox() override; virtual class Sprite* GetSprite() override; virtual void BoundCollision(Object_Desc & desc); virtual void LineCollision(D3DXVECTOR2 & p1, D3DXVECTOR2 & p2); bool InUse() { return inUse; } static int bulletNumber; public: int bulletIndex; private: bool inUse = false; Animation * animation[3]; PlAYER_BULLET_TYPE bullet_type; int damage; int currentTime; int deathTime; D3DXVECTOR2 direction; D3DXVECTOR2 homingVelocity; }; class PlayerBulletPool : public Object { friend class Player; public: PlayerBulletPool(Grid* grid, D3DXVECTOR2 position_, D3DXVECTOR2 scale_, Object_Desc desc, SceneValues *values); ~PlayerBulletPool(); virtual void Update(D3DXMATRIX & V, D3DXMATRIX & P) override; virtual void Render() override; void Create(D3DXMATRIX & V, D3DXMATRIX & P); private: vector<PlayerBullet *> bulletLive; vector<PlayerBullet *> bulletDead; PlAYER_BULLET_TYPE bullet_type; D3DXVECTOR2 direction; float createTime[3]; float waitTime; PlayerBullet * before = 0; UINT updateCount = 0; UINT createCount = 0; };
[ "briankunkel9@gmail.com" ]
briankunkel9@gmail.com
0db54dd4868a8d9b2b6e7e52d49c133eaac9f2e2
1579547f6cb5e2dba380192b6462d1c1a173330e
/src/inc/til/ticket_lock.h
2e97375fd2224ae95fbb24fdf2f8233994537ece
[ "LicenseRef-scancode-object-form-exception-to-mit", "BSD-3-Clause", "BSD-2-Clause", "Unlicense", "LGPL-2.1-or-later", "MIT" ]
permissive
lhecker/terminal
8372aef09577b59d0f5a9b1c28678d9777f9b16a
54dc2c4432857919a6a87682a09bca06608155ed
refs/heads/main
2023-03-25T02:17:59.553480
2022-09-30T18:04:27
2022-09-30T18:04:27
193,275,009
3
1
MIT
2019-06-22T20:06:00
2019-06-22T20:06:00
null
UTF-8
C++
false
false
2,158
h
// Copyright (c) Microsoft Corporation. // Licensed under the MIT license. #pragma once #include "atomic.h" namespace til { // ticket_lock implements a classic fair lock. // // Compared to a SRWLOCK this implementation is significantly more unsafe to use: // Forgetting to call unlock or calling unlock more than once, will lead to deadlocks, // as _now_serving will remain out of sync with _next_ticket and prevent any further lockings. // // I recommend to use the following with this class: // * A low number of concurrent accesses (this lock doesn't scale well beyond 2 threads) // * alignas(std::hardware_destructive_interference_size) to prevent false sharing // * std::unique_lock or std::scoped_lock to prevent unbalanced lock/unlock calls struct ticket_lock { void lock() noexcept { const auto ticket = _next_ticket.fetch_add(1, std::memory_order_relaxed); for (;;) { const auto current = _now_serving.load(std::memory_order_acquire); if (current == ticket) { break; } til::atomic_wait(_now_serving, current); } } void unlock() noexcept { _now_serving.fetch_add(1, std::memory_order_release); til::atomic_notify_all(_now_serving); } private: // You may be inclined to add alignas(std::hardware_destructive_interference_size) // here to force the two atomics on separate cache lines, but I suggest to carefully // benchmark such a change. Since this ticket_lock is primarily used to synchronize // exactly 2 threads, it actually helps us that these atomic are on the same cache line // as any change by one thread is flushed to the other, which will then read it anyways. // // Integer overflow doesn't break the algorithm, as these two // atomics are treated more like "IDs" and less like counters. std::atomic<uint32_t> _next_ticket{ 0 }; std::atomic<uint32_t> _now_serving{ 0 }; }; }
[ "noreply@github.com" ]
noreply@github.com
31bf50139d70c30c0639a3d2b624349c0deae3e1
0af35580335a896cc61ee9214deeedb0f0620424
/SPOJ/PENA/dode.cpp
f836017b77c9629c98507c1fa461a4b0ad01b4e8
[]
no_license
ktakanopy/Competitive-Programming
59d4c73ffbed0affdc85a2454b5c454841a092bf
7d976f972947601f988969ae7c335b1d824352dd
refs/heads/master
2022-12-01T07:55:27.499787
2019-03-16T19:13:35
2019-03-16T19:13:35
null
0
0
null
null
null
null
UTF-8
C++
false
false
7,259
cpp
#include <bits/stdc++.h> #include <algorithm> using namespace std; #define ENDLINE printf("\n"); #define HEY printf("HEY\n"); #define HEYA printf("HEY_A\n"); #define HEYB printf("HEY_B\n"); #define HEY2 printf(" HEY\n"); #define HEY3 printf(" HEY\n"); #define END ("\n") #define for0(i,n) for( __typeof(n)i = 0 ; i < n ; i++) #define for1(i,n) for( __typeof(n)i = 1 ; i <= n ; i++) #define forstl(i,n) for(__typeof(n.begin())i = n.begin();i!=n.end();i++) #define forab(i,a,b)for(__typeof(b)i = a ; i <= (b) ; i++) #define pm(mat,n,m) \ for0(i,n) \ { \ for0(j,m) \ { \ cout << "[" << mat[i][j] << "]"; \ }ENDLINE \ } \ #define pa(array,n) \ { \ for0(i,n) \ { \ cout << "[" << array[i].profit << "]"; \ } \ ENDLINE; \ } \ #define ps(s) printf("%s\n",s); typedef long long int ll; // C++ program for weighted job scheduling using Dynamic Programming. // A job has start time, finish time and profit. struct Job { int day, start, finish, profit; }; // A utility function that is used for sorting events // according to finish time bool jobComparataor(Job s1, Job s2) { // if( s1.endhour != s2.endhour ) return s1.endhour < s2.endhour; else return s1.endmin < s2.endmin; return s1.finish < s2.finish; } // Find the latest job (in sorted array) that doesn't // conflict with the job[i] int latestNonConflict(vector<Job> &arr, int i) { for (int j=i-1; j>=0; j--) { if(arr[j].finish <= arr[i].start) { return j; } } return -1; } const int MAX = 500; vector<Job> seg_jobs (MAX) ,ter_jobs(MAX) ,qua_jobs (MAX) ,qui_jobs(MAX) , sex_jobs(MAX) ; vector<int> max_seg (MAX) ,max_ter (MAX) ,max_qua (MAX) ,max_qui(MAX) ,max_sex(MAX) ; // The main function that returns the maximum possible // profit from given array of jobs void findMaxProfit(int n) { // Sort jobs according to finish time // Create an array to store solutions of subproblems. table[i] // stores the profit for jobs till arr[i] (including arr[i]) // int *table = new int[n]; // table[0] = arr[0].profit; // Fill entries in M[] using recursive property Job aux; aux.start = aux.finish = 0, aux.profit = 0; sort(seg_jobs.begin(), seg_jobs.end(), jobComparataor); sort(ter_jobs.begin(), ter_jobs.end(), jobComparataor); sort(qua_jobs.begin(), qua_jobs.end(), jobComparataor); sort(qui_jobs.begin(), qui_jobs.end(), jobComparataor); sort(sex_jobs.begin(), sex_jobs.end(), jobComparataor); if(seg_jobs.size() > 0) max_seg.push_back(seg_jobs[0].profit); if(ter_jobs.size() > 0) max_ter.push_back(ter_jobs[0].profit); if(qua_jobs.size() > 0) max_qua.push_back(qua_jobs[0].profit); if(qui_jobs.size() > 0) max_qui.push_back(qui_jobs[0].profit); if(sex_jobs.size() > 0) max_sex.push_back(sex_jobs[0].profit); for(int i = 1; i < seg_jobs.size(); i++) { // Find profit including the current job int inclProf = seg_jobs[i].profit; // printf("inclProf = %d\n",inclProf); int l = latestNonConflict(seg_jobs, i); if (l != -1) { inclProf += max_seg[l]; } // Store maximum of including and excluding max_seg.push_back(max(inclProf,max_seg[i-1])); } // HEY2 for(int i = 1; i < ter_jobs.size(); i++) { // Find profit including the current job int inclProf = ter_jobs[i].profit; // printf("inclProf = %d\n",inclProf); int l = latestNonConflict(ter_jobs, i); if (l != -1) { inclProf += max_ter[l]; } // Store maximum of including and excluding max_ter.push_back(max(inclProf,max_ter[i-1])); } // HEY2 for(int i = 1; i < qua_jobs.size();i++) { // Find profit including the current job int inclProf = qua_jobs[i].profit; // printf("inclProf = %d\n",inclProf); int l = latestNonConflict(qua_jobs, i); if (l != -1) { inclProf += max_qua[l]; } // printf("inclProf after = %d\n",inclProf); // Store maximum of including and excluding max_qua.push_back(max(inclProf,max_qua[i-1])); } // // HEY2 for(int i = 1; i < qui_jobs.size(); i++) { // Find profit including the current job int inclProf = qui_jobs[i].profit; // printf("inclProf = %d\n",inclProf); int l = latestNonConflict(qui_jobs, i); if (l != -1) { inclProf += max_qui[l]; } // Store maximum of including and excluding max_qui.push_back(max(inclProf,max_qui[i-1])); } // HEY2 for(int i = 1; i < sex_jobs.size(); i++) { // Find profit including the current job int inclProf = sex_jobs[i].profit; // printf("inclProf = %d\n",inclProf); int l = latestNonConflict(sex_jobs, i); if (l != -1) { inclProf += max_sex[l]; } // Store maximum of including and excluding max_sex.push_back(max(inclProf,max_sex[i-1])); } // Store result and free dynamic memory allocated for table[] // int result = table[n-1]; // delete[] table; // return result; } // Driver program int main() { int N; while(cin >> N && N) { char day[3]; max_seg.clear(); max_ter.clear(); max_qua.clear(); max_qui.clear(); max_sex.clear(); seg_jobs.clear(); ter_jobs.clear(); qua_jobs.clear(); qui_jobs.clear(); sex_jobs.clear(); for0(i,N) { Job aux; int codigo; cin >> codigo; char c; cin >> aux.profit; cin >> day; int hour, min; cin >> hour; cin >> c; cin >> min; aux.start = hour*60 + min; cin >> hour; cin >> c; cin >> min; aux.finish = hour*60 + min; if(strcmp(day,"Seg")==0) aux.day=1,seg_jobs.push_back(aux); if(strcmp(day,"Ter")==0) aux.day=2,ter_jobs.push_back(aux); if(strcmp(day,"Qua")==0) aux.day=3,qua_jobs.push_back(aux); if(strcmp(day,"Qui")==0) aux.day=4,qui_jobs.push_back(aux); if(strcmp(day,"Sex")==0) aux.day=5,sex_jobs.push_back(aux); } findMaxProfit(N); int total = 0; int mseg = 0,mter = 0,mqua = 0,mqui = 0,msex = 0; if(!max_seg.empty()) mseg = max_seg.back(); if(!max_ter.empty()) mter = max_ter.back(); if(!max_qua.empty()) mqua = max_qua.back(); if(!max_qui.empty()) mqui = max_qui.back(); if(!max_sex.empty()) msex = max_sex.back(); total = mseg + mter + mqua + mqui + msex; printf("Total de pontos: %d\n",total); printf("Seg: %d\n",mseg); printf("Ter: %d\n",mter); printf("Qua: %d\n",mqua); printf("Qui: %d\n",mqui); printf("Sex: %d\n",msex); } return 0; }
[ "kevin.takano@gmail.com" ]
kevin.takano@gmail.com
cf01955e8335222a4c7cf402360c2408018dc2e4
dd0563f36c51897918e8eac2d750f2276ef7e782
/Calendar/Date.cpp
ca6dddb5b04329f744abdfcd4ed05c4a396ab546
[]
no_license
tranvankhue1996/time-and-calendar-CPP
6825da6cfb9e442b8a762d56ff4767d5eeee1166
6b167e04ed77e89d4f85bfcd43b3db457ab108fc
refs/heads/master
2021-01-13T02:59:11.366510
2016-12-21T16:33:18
2016-12-21T16:33:18
77,065,996
1
0
null
null
null
null
UTF-8
C++
false
false
3,429
cpp
#include "Date.h" int CDate::DayinMonth[] = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; CDate::CDate() { m_Day = 1; m_Month = 1; m_Year = 1; m_wDay = -1; } CDate::CDate(int d, int m, int y) { m_Day = d; m_Month = m; m_Year = y; m_wDay = wDay(); } void CDate::setTime() { time_t hientai = time(0); //char* dt = ctime(&hientai); //đưa ra chuỗi tm *time = localtime(&hientai); //đưa ra struct m_Year = time->tm_year + 1900; m_Month = time->tm_mon + 1; m_Day = time->tm_mday; m_wDay = time->tm_wday + 1; } int CDate::wDay() { int S = 0; for (int i = 1; i < m_Month; i++) { S += DayinMonth[i]; if (i == 2 && InspectLeapYear()) S++; } for (int i = 1; i < m_Year; i++) { S += 365; if (InspectLeapYear()) S++; } return S % 7; } void CDate::output(ostream& os) { if (m_Day < 10) { os << "0";} os << m_Day << "/"; if (m_Month < 10) { os << "0"; } os << m_Month << "/"; os << m_Year; } bool CDate::InspectLeapYear() { if ((m_Year % 4 == 0 && m_Year % 100 != 0) || m_Year % 400 == 0) return true; return false; } void CDate::Paint(int x, int y) { //---------------------------------- int CountMax = DayinMonth[m_Month]; if (m_Month == 2 && InspectLeapYear()) CountMax++; int Count = 1; int Start = this->wDay(); //---------------------------------- int DayBefore = DayinMonth[m_Month - 1]; if (m_Month - 1 == 0) DayBefore = DayinMonth[12]; if (m_Month - 1 == 2 && InspectLeapYear()) DayBefore++; int DayAfter = 1; setColor(7); gotoxy(x, y); //---------------------------------- cout << "ÚÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄÄ¿"; gotoxy(x, y + 1); cout << "³" << setw(17); output(cout); if (m_Day < 10) cout << setw(16); else cout << setw(17); cout << "³" << endl; gotoxy(x, y + 2); cout << "ĂÄÄÄÄÄÂÄÄÄÄÄÂÄÄÄÄÄÂÄÄÄÄÄÂÄÄÄÄÄÂÄÄÄÄÄÂÄÄÄÄÄ´"; gotoxy(x, y + 3); for (int i = 0; i < 8; i++) { setColor(7); cout << "³"; switch (i) { case 0: setColor(12); cout << " CN "; break; case 1: setColor(14); cout << " Hai "; break; case 2: setColor(14); cout << " Ba "; break; case 3: setColor(14); cout << " Tu "; break; case 4: setColor(14); cout << " Nam "; break; case 5: setColor(14); cout << " Sau "; break; case 6: setColor(12); cout << " Bay "; break; } } gotoxy(x, y + 4); cout << "ĂÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄ´"; for (int i = 0; i < 6; i++) { gotoxy(x, y + 5 + 2*i); cout << "³"; for (int j = 1; j < 8; j++) { if (i == 0 && j < Start || Count > CountMax) { cout << setw(4); setColor(8); if (Count < CountMax) cout << DayBefore - (Start - j) + 1; else cout << DayAfter++; setColor(7); cout << setw(2) << "³"; } else { if (Count == m_Day) { setColor(164); cout << setw(4) << Count++ << setw(2); } else { setColor(144); cout << setw(4) << Count++ << setw(2); } setColor(7); cout << " ³"; } } gotoxy(x, y + 5 + 2*i + 1); if (i != 5) cout << "ĂÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄÅÄÄÄÄÄ´"; else cout << "ÀÄÄÄÄÄÁÄÄÄÄÄÁÄÄÄÄÄÁÄÄÄÄÄÁÄÄÄÄÄÁÄÄÄÄÄÁÄÄÄÄÄÙ"; } } int CDate::retDay() { return m_Day; } int CDate::retMonth() { return m_Month; } CDate::~CDate() { }
[ "tranvankhue1996@gmail.com" ]
tranvankhue1996@gmail.com
717829222e8c8f61f135c676d9b36505ea955b10
c1fa5f254a411af6f652aad713844d4f8f8f8a2a
/tof_motion_camera/src/tof_sdk_src/Rtl16_inc/src/Rtl16_BootStatusReg.h
1d1966f9c5323b0c1198ddb3e2251692093dd920
[]
no_license
kumader/ces_demo
85aad35236eab9836d466fcf4277f89e6f3d0aad
b9d125bc7fdca831aa1bba6e72276eba702a48c3
refs/heads/master
2020-11-25T02:18:57.592449
2020-01-06T21:39:45
2020-01-06T21:39:45
228,448,778
0
0
null
null
null
null
UTF-8
C++
false
false
4,804
h
/////////////////////////////////////////////////////////////////////////// // PROJECT: Cpp -- BootStatusReg // COPYRIGHT: R. Hranitzky // $RCSfile$ // $Revision: 4027 $ // AUTHOR: R. Hranitzky // LANGUAGE: C++ // DESCRIPTION: The definitions for class BootStatusReg // used /usr/local/bin/Rtl16_CppClassCoder.pl to create this file // created Sun Mar 31 17:03:18 2019 // automatically generated code /////////////////////////////////////////////////////////////////////////// #ifndef _Rtl16_BootStatusReg_ #define _Rtl16_BootStatusReg_ #ifdef USE_IDENT #ident "$Header: $" #endif //------------------------------ Includes ------------------------------ #include "General.h" #include <iostream> #ifdef _TARGET_ARCH_W32_ #define WIN32_LEAN_AND_MEAN #include <ws2tcpip.h> #else #include <arpa/inet.h> #endif #include <string> #include "Rtl16_Virtual16BitReg.h" //------------------------------ Declarations -------------------------- namespace Common { class LogFormat; } /// The namespace Rtl16 namespace Rtl16 { //------------------------------ Exported Class Definitions ------------ /// The definition of class BootStatusReg class BootStatusReg: public Virtual16BitReg { public: //enums // Use Default Copy Constructor // Use Default Assignment Operator /// Default Constructor BootStatusReg( ); /// Special Constructor BootStatusReg( const uint2& a0AddrValue, const uint2& a0RegValue ); /// Destructor ~BootStatusReg( ); /// Write content into buffer bool WriteToBuffer( uint1 * buffer , uint2 aBufferSize , uint2 & aByteOffset ) const; /// Read content from buffer bool ReadFromBuffer( const uint1 * buffer , uint2 aBufferSize , uint2 & aByteOffset ); /// Write human readable representation of content void Log( std::ostream & aStreamRef ) const; /// Write human readable representation with indentation void Log( std::ostream & aStreamRef, Common::LogFormat & aLogFormat ) const; // Arithmetic operators /// Equal operator bool operator == (const BootStatusReg & aRef) const; /// Less operator bool operator < (const BootStatusReg & aRef) const; ///@name Set, Get and other functions for all members //@{ //---------------------------------------------------- // The member 0Addr /// The Get function for member 0Addr uint2 GetAddr( ) const; /// The Set function for member 0Addr void SetAddr( const uint2 & aValue ); //---------------------------------------------------- // The member 0Reg /// The Get function for member 0Reg uint2 GetReg( ) const; /// The Set function for member 0Reg void SetReg( const uint2 & aValue ); //---------------------------------------------------- // The member 14FirmwareLoadCounter /// The Get function for member 14FirmwareLoadCounter uint2 GetFirmwareLoadCounter( ) const; /// The Set function for member 14FirmwareLoadCounter void SetFirmwareLoadCounter( const uint2 & aValue ); //@} private: // All the Elements uint2 its0Addr; union { uint2 its0Reg; struct { uint2 its013Reserved: 14; uint2 its14FirmwareLoadCounter: 2; }; }; }; // End of class BootStatusReg //------------------------------ Inline Functions ---------------------- inline bool BootStatusReg::operator == (const BootStatusReg & aRef) const { if ( ! (its0Addr == aRef.its0Addr) ) return false; if ( ! (its0Reg == aRef.its0Reg) ) return false; return true; } inline bool BootStatusReg::operator < (const BootStatusReg & aRef) const { if ( ! (its0Addr < aRef.its0Addr) ) return false; if ( ! (its0Reg < aRef.its0Reg) ) return false; return true; //min 1 attribute in class } inline std::ostream & operator << ( std::ostream & aStreamRef, const BootStatusReg & aRef ) { aRef . Log( aStreamRef ); return aStreamRef; } inline uint2 BootStatusReg::GetAddr( ) const { return its0Addr; } inline void BootStatusReg::SetAddr( const uint2 & aValue ) { its0Addr = aValue; } inline uint2 BootStatusReg::GetReg( ) const { return its0Reg; } inline void BootStatusReg::SetReg( const uint2 & aValue ) { its0Reg = aValue; } inline uint2 BootStatusReg::GetFirmwareLoadCounter( ) const { return its14FirmwareLoadCounter; } inline void BootStatusReg::SetFirmwareLoadCounter( const uint2 & aValue ) { its14FirmwareLoadCounter = aValue; } }; // End of namespace Rtl16 #endif
[ "derek.kumagai@elektrobit.com" ]
derek.kumagai@elektrobit.com
1c593c45e610fa6148ad3452e7e5bc240d006fa8
a148c0d16e1cc6d0088dcd9d58716abb308bb94e
/ics-4.x/frameworks/base/include/media/MediaPlayerInterface.h
72577b42911acd457c34ebfdf2be3cbc3b43f9ca
[ "LicenseRef-scancode-unicode", "Apache-2.0" ]
permissive
BAT6188/mt36k_android_4.0.4
5f457b2c76c4d28d72b1002ba542371365d2b8b6
3240564345913f02813e497672c9594af6563608
refs/heads/master
2023-05-24T04:13:23.011226
2018-09-04T06:35:16
2018-09-04T06:35:16
null
0
0
null
null
null
null
UTF-8
C++
false
false
8,093
h
/* * Copyright (C) 2007 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_MEDIAPLAYERINTERFACE_H #define ANDROID_MEDIAPLAYERINTERFACE_H #ifdef __cplusplus #include <sys/types.h> #include <utils/Errors.h> #include <utils/KeyedVector.h> #include <utils/String8.h> #include <utils/RefBase.h> #include <media/mediaplayer.h> #include <media/AudioSystem.h> #include <media/Metadata.h> namespace android { class Parcel; class Surface; class ISurfaceTexture; template<typename T> class SortedVector; enum player_type { PV_PLAYER = 1, SONIVOX_PLAYER = 2, STAGEFRIGHT_PLAYER = 3, NU_PLAYER = 4, // Test players are available only in the 'test' and 'eng' builds. // The shared library with the test player is passed passed as an // argument to the 'test:' url in the setDataSource call. TEST_PLAYER = 5, CMPB_PLAYER=6, }; #define DEFAULT_AUDIOSINK_BUFFERCOUNT 4 #define DEFAULT_AUDIOSINK_BUFFERSIZE 1200 #define DEFAULT_AUDIOSINK_SAMPLERATE 44100 // callback mechanism for passing messages to MediaPlayer object typedef void (*notify_callback_f)(void* cookie, int msg, int ext1, int ext2, const Parcel *obj); // abstract base class - use MediaPlayerInterface class MediaPlayerBase : public RefBase { public: // AudioSink: abstraction layer for audio output class AudioSink : public RefBase { public: // Callback returns the number of bytes actually written to the buffer. typedef size_t (*AudioCallback)( AudioSink *audioSink, void *buffer, size_t size, void *cookie); virtual ~AudioSink() {} virtual bool ready() const = 0; // audio output is open and ready virtual bool realtime() const = 0; // audio output is real-time output virtual ssize_t bufferSize() const = 0; virtual ssize_t frameCount() const = 0; virtual ssize_t channelCount() const = 0; virtual ssize_t frameSize() const = 0; virtual uint32_t latency() const = 0; virtual float msecsPerFrame() const = 0; virtual status_t getPosition(uint32_t *position) = 0; virtual int getSessionId() = 0; // If no callback is specified, use the "write" API below to submit // audio data. virtual status_t open( uint32_t sampleRate, int channelCount, int format=AUDIO_FORMAT_PCM_16_BIT, int bufferCount=DEFAULT_AUDIOSINK_BUFFERCOUNT, AudioCallback cb = NULL, void *cookie = NULL) = 0; virtual void start() = 0; virtual ssize_t write(const void* buffer, size_t size) = 0; virtual void stop() = 0; virtual void flush() = 0; virtual void pause() = 0; virtual void close() = 0; }; MediaPlayerBase() : mCookie(0), mNotify(0) {} virtual ~MediaPlayerBase() {} virtual status_t initCheck() = 0; virtual bool hardwareOutput() = 0; virtual status_t setUID(uid_t uid) { return INVALID_OPERATION; } virtual status_t setDataSource( const char *url, const KeyedVector<String8, String8> *headers = NULL) = 0; virtual status_t setDataSource(int fd, int64_t offset, int64_t length) = 0; virtual status_t setDataSource(const sp<IStreamSource> &source) { return INVALID_OPERATION; } // pass the buffered ISurfaceTexture to the media player service virtual status_t setVideoSurfaceTexture( const sp<ISurfaceTexture>& surfaceTexture) = 0; virtual status_t setVideoRect(int i4left, int i4top, int i4right, int bottom) {return INVALID_OPERATION;} virtual status_t setAudioTrack(int track_num){return INVALID_OPERATION;} virtual status_t setSubtitleTrack(int track_num){return INVALID_OPERATION;} virtual status_t setPlaySeamless(bool bIsSeamless){return INVALID_OPERATION;} virtual status_t setExSubtitleURI(const char *url){return INVALID_OPERATION;} virtual status_t getAudioTrackNs(int *trk_nums) {return INVALID_OPERATION;} virtual status_t getSubtitleTrackNs(int *trk_nums){return INVALID_OPERATION;} virtual status_t prepare() = 0; virtual status_t prepareAsync() = 0; virtual status_t start() = 0; virtual status_t stop() = 0; virtual status_t pause() = 0; virtual bool isPlaying() = 0; virtual status_t seekTo(int msec) = 0; virtual status_t getCurrentPosition(int *msec) = 0; virtual status_t getDuration(int *msec) = 0; virtual status_t reset() = 0; virtual status_t setLooping(int loop) = 0; virtual player_type playerType() = 0; virtual status_t setParameter(int key, const Parcel &request) = 0; virtual status_t getParameter(int key, Parcel *reply) = 0; // Invoke a generic method on the player by using opaque parcels // for the request and reply. // // @param request Parcel that is positioned at the start of the // data sent by the java layer. // @param[out] reply Parcel to hold the reply data. Cannot be null. // @return OK if the call was successful. virtual status_t invoke(const Parcel& request, Parcel *reply) = 0; // The Client in the MetadataPlayerService calls this method on // the native player to retrieve all or a subset of metadata. // // @param ids SortedList of metadata ID to be fetch. If empty, all // the known metadata should be returned. // @param[inout] records Parcel where the player appends its metadata. // @return OK if the call was successful. virtual status_t getMetadata(const media::Metadata::Filter& ids, Parcel *records) { return INVALID_OPERATION; }; void setNotifyCallback( void* cookie, notify_callback_f notifyFunc) { Mutex::Autolock autoLock(mNotifyLock); mCookie = cookie; mNotify = notifyFunc; } void sendEvent(int msg, int ext1=0, int ext2=0, const Parcel *obj=NULL) { Mutex::Autolock autoLock(mNotifyLock); if (mNotify) mNotify(mCookie, msg, ext1, ext2, obj); } virtual status_t dump(int fd, const Vector<String16> &args) const { return INVALID_OPERATION; } private: friend class MediaPlayerService; Mutex mNotifyLock; void* mCookie; notify_callback_f mNotify; }; // Implement this class for media players that use the AudioFlinger software mixer class MediaPlayerInterface : public MediaPlayerBase { public: virtual ~MediaPlayerInterface() { } virtual bool hardwareOutput() { return false; } virtual void setAudioSink(const sp<AudioSink>& audioSink) { mAudioSink = audioSink; } protected: sp<AudioSink> mAudioSink; }; // Implement this class for media players that output audio directly to hardware class MediaPlayerHWInterface : public MediaPlayerBase { public: virtual ~MediaPlayerHWInterface() {} virtual bool hardwareOutput() { return true; } virtual status_t setVolume(float leftVolume, float rightVolume) = 0; virtual status_t setAudioStreamType(int streamType) = 0; }; }; // namespace android #endif // __cplusplus #endif // ANDROID_MEDIAPLAYERINTERFACE_H
[ "342981011@qq.com" ]
342981011@qq.com
03ab21891a070e906da4eb52ca6c26a2ab37512f
57bd019745ec5311e2a78f93e73039efdf71c5b8
/ros_lib/hrpsys_ros_bridge/OpenHRP_CollisionDetectorService.h
f196508653a43b57cffcbb687b32fc7e5c0d56ce
[]
no_license
makabe0510/jsk_imu_mini
138eb8391384af671b53469cacc87803157aa2fe
97befccdb4fb82bbb1dab5941da66d5acafdd996
refs/heads/master
2020-03-11T02:11:00.781652
2018-04-16T08:49:36
2018-04-16T08:49:36
129,712,715
0
0
null
2018-04-16T08:47:00
2018-04-16T08:47:00
null
UTF-8
C++
false
false
776
h
#ifndef _ROS_hrpsys_ros_bridge_OpenHRP_CollisionDetectorService_h #define _ROS_hrpsys_ros_bridge_OpenHRP_CollisionDetectorService_h #include <stdint.h> #include <string.h> #include <stdlib.h> #include "ros/msg.h" namespace hrpsys_ros_bridge { class OpenHRP_CollisionDetectorService : public ros::Msg { public: OpenHRP_CollisionDetectorService() { } virtual int serialize(unsigned char *outbuffer) const { int offset = 0; return offset; } virtual int deserialize(unsigned char *inbuffer) { int offset = 0; return offset; } const char * getType(){ return "hrpsys_ros_bridge/OpenHRP_CollisionDetectorService"; }; const char * getMD5(){ return "d41d8cd98f00b204e9800998ecf8427e"; }; }; } #endif
[ "xychen@jsk.imi.i.u-tokyo.ac.jp" ]
xychen@jsk.imi.i.u-tokyo.ac.jp
650ee36326a67cf72b165564644f9a1d9c1e9029
96d9b1d9c10df19e5df919753ca742d446744437
/Classes/GameEffect.cpp
2798b9a016a93406164a2aef200ec418e7239efb
[ "MIT" ]
permissive
myunpe/fireattack
b4e3c22636afefdbfa929aae75852d8d63bd0205
17cc93640c429d00a60f03318649d48bd222ab16
refs/heads/master
2021-01-22T11:38:05.583512
2014-10-15T17:04:45
2014-10-15T17:04:45
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,566
cpp
// // GameEffect.cpp // Tetris // // Created by Yoshida Mitsunobu on 2014/07/20. // // #include "GameEffect.h" GameEffect::GameEffect() : Sprite(){ } GameEffect::~GameEffect(){ } GameEffect* GameEffect::create(const std::string &filename){ GameEffect* gameEffect = new GameEffect(); gameEffect->init(); gameEffect->autorelease(); gameEffect->setTextureRect(Rect(0, 0, Director::getInstance()->getWinSize().width, Director::getInstance()->getWinSize().height)); gameEffect->setColor(Color3B(20, 20, 20)); gameEffect->setOpacity(166); gameEffect->setContentSize(Director::getInstance()->getWinSize()); gameEffect->setPosition(Vec2(0,0)); gameEffect->setAnchorPoint(Vec2(0.0f, 0.0f)); gameEffect->setVisible(false); // gameEffect->setColor(Color3B(255, 255, 0)); // gameEffect->setTextureRect(Rect(0,0,Director::getInstance()->getWinSize().width, Director::getInstance()->getWinSize().height)); // return gameEffect; } void GameEffect::onEnter(){ log("GameEffect::onEnter"); Sprite::onEnter(); auto touchListener = EventListenerTouchOneByOne::create(); touchListener->setSwallowTouches(true); touchListener->onTouchBegan = CC_CALLBACK_2(GameEffect::onTouchBegan, this); touchListener->onTouchMoved = CC_CALLBACK_2(GameEffect::onTouchMoved, this); touchListener->onTouchEnded = CC_CALLBACK_2(GameEffect::onTouchEnded, this); _eventDispatcher->addEventListenerWithSceneGraphPriority(touchListener, this); } void GameEffect::onExit(){ Sprite::onExit(); } void GameEffect::failEffect(std::function<void()> onEndEffect){ this->setVisible(true); Sprite* fail = Sprite::create("failed.png"); Size winSize = Director::getInstance()->getWinSize(); fail->setPosition(winSize.width / 2.0f, winSize.height); auto moveAction = MoveTo::create(1.2f, Vec2(winSize.width / 2.0f, winSize.height / 2.0f)); auto delay = DelayTime::create(1.0f); auto callback = CallFunc::create(onEndEffect); auto sequence = Sequence::create(moveAction, delay, callback, nullptr); fail->runAction(sequence); addChild(fail); } void GameEffect::clearEffect(std::function<void()> onEndEffect){ this->setVisible(true); Sprite* clear = Sprite::create("clear.png"); Size winSize = Director::getInstance()->getWinSize(); clear->setPosition(Vec2(winSize.width / 2.0f, winSize.height / 2.0f)); clear->setScale(0.0f, 0.0f); clear->setAnchorPoint(Vec2(0.5f, 0.5f)); auto rotateAction = RotateBy::create(0.6f, Vec3(0.0f, 360.0f, 0.0f)); auto alphaAction = FadeIn::create(1.5f); auto scaleAction = ScaleTo::create(1.5f, 1.0f); auto setAction = Spawn::create(Repeat::create(rotateAction, 3),alphaAction, scaleAction, nullptr); auto callback = CallFunc::create(onEndEffect); auto delay = DelayTime::create(1.0f); auto sequence = Sequence::create(setAction, delay, callback, nullptr); clear->runAction(sequence); addChild(clear); } void GameEffect::endEffect(){ log("endEffect"); } void GameEffect::setDispatchTouch(bool isEnable){ isDispatch = isEnable; } bool GameEffect::onTouchBegan(Touch* touch, Event* event){ bool is = isDispatch; log("is? = %d", is); return is; } void GameEffect::onTouchMoved(Touch* touch, Event* event){ log("GameEffect onTouchMoved"); } void GameEffect::onTouchEnded(Touch* touch, Event* event){ } Rect GameEffect::getRect() { auto s = getTexture()->getContentSize(); return Rect(-s.width / 2, -s.height / 2, s.width, s.height); }
[ "myunpe2@gmail.com" ]
myunpe2@gmail.com
22d20fb6de231a05eb98d3406b764e1782955b6f
d6b686173159b758a3ebc141f9093dd50a1f3d99
/Snake/project/LoadTexbmp.cpp
36c5fd8b82ca3b667bc80a3110ddf34afb63b06e
[]
no_license
ProgramTraveler/OpenGL
4fc66f79d879bb3b39dde72338f70a704193bff0
bc96782ccebe0dd08685dcb4c4dc4e85999750ec
refs/heads/master
2023-05-19T12:19:19.071434
2021-06-08T13:54:51
2021-06-08T13:54:51
351,451,921
1
0
null
null
null
null
GB18030
C++
false
false
1,602
cpp
#include"LoadTexbmp.h" /* * 从BMP文件中加载纹理 */ int LoadTexBMP(const char* file) { unsigned int texture; //纹理名称 FILE* f; //文件指针 short magic; //Image magic int dx, dy, size; //图片尺寸 short nbp, bpp; char* image; int off; //图像偏移 int k; // Counter int max; //最大纹理尺寸 fopen_s(&f, file, "rb"); if (!f) {} if (fread(&magic, 2, 1, f) != 1) {} if (magic != 0x4D42 && magic != 0x424D) {} if (fseek(f, 8, SEEK_CUR) || fread(&off, 4, 1, f) != 1 || fseek(f, 4, SEEK_CUR) || fread(&dx, 4, 1, f) != 1 || fread(&dy, 4, 1, f) != 1 || fread(&nbp, 2, 1, f) != 1 || fread(&bpp, 2, 1, f) != 1 || fread(&k, 4, 1, f) != 1) {} glGetIntegerv(GL_MAX_TEXTURE_SIZE, &max); size = 3 * dx * dy; image = (char*)malloc(size); if (!image) {} if (fseek(f, off, SEEK_SET) || fread(image, size, 1, f) != 1) {} fclose(f); for (k = 0; k < size; k += 3) { unsigned char temp = image[k]; image[k] = image[k + 2]; image[k + 2] = temp; } // Sanity check //生成二维纹理 glGenTextures(1, &texture); glBindTexture(GL_TEXTURE_2D, texture); //复制图片 glTexImage2D(GL_TEXTURE_2D, 0, 3, dx, dy, 0, GL_RGB, GL_UNSIGNED_BYTE, image); //当图像大小不匹配时线性缩放 glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_REPEAT); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_REPEAT); free(image); //返回纹理名称 return texture; }
[ "2115655391@qq.com" ]
2115655391@qq.com
70ce7995a00c9ad827012f7915c2392542f61ab6
4ff2c7343e4968a8977e8a5d58ce6899fc9d3580
/VKTS/src/layer1/camera/Camera.hpp
7ac46fb0f10ae2f78ce710ae5ec4c5e352638305
[ "LicenseRef-scancode-warranty-disclaimer", "LicenseRef-scancode-happy-bunny", "MIT", "BSD-3-Clause", "LicenseRef-scancode-khronos", "Apache-2.0" ]
permissive
saurontech/Vulkan-1
c0c6b0a2b30b3c1962c0d4d90b370a9546981bd4
f00028dfbcaff6da13aa19a33b09582b1f691c02
refs/heads/master
2021-01-11T06:54:57.564975
2016-10-22T21:26:02
2016-10-22T21:26:02
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,032
hpp
/** * VKTS - VulKan ToolS. * * The MIT License (MIT) * * Copyright (c) since 2014 Norbert Nopper * * 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. */ #ifndef VKTS_CAMERA_HPP_ #define VKTS_CAMERA_HPP_ #include <vkts/vkts.hpp> namespace vkts { class Camera: public ICamera { private: glm::mat4 viewMatrix; void updateViewMatrix(); protected: virtual void update() override; public: Camera(); Camera(const glm::vec4& eye, const glm::vec3& rotation); Camera(const glm::vec4& eye, const Quat& rotationZ, const Quat& rotationY, const Quat& rotationX); Camera(const Camera& other); Camera(Camera&& other) = delete; virtual ~Camera(); Camera& operator =(const Camera& other); Camera& operator =(Camera && other) = delete; // // ICamera // virtual const glm::mat4& getViewMatrix() const override; // // ICloneable // virtual ICameraSP clone() const override; }; } /* namespace vkts */ #endif /* VKTS_CAMERA_HPP_ */
[ "norbert@nopper.tv" ]
norbert@nopper.tv
6dd5b21a0a5dec4b85e943e3e296592f4aa72779
c4f5def6408ca18742f90d62726c95ca8ef06ba5
/simple-ftp-client/consolereader.cpp
13e0b4f774571b3b8a9480e476ad970bb801bbe8
[]
no_license
occulticplus/very-simple-file-exchange-protocol
7e8fc2d7560ee30a054dc1f6d6dcb82c75831504
4e1258d98f5080e328cdc95b4c1b464b05403614
refs/heads/master
2020-04-08T01:42:53.880696
2018-11-05T20:41:56
2018-11-05T20:41:56
158,906,622
1
0
null
2018-11-24T05:49:41
2018-11-24T05:49:41
null
UTF-8
C++
false
false
322
cpp
#include "consolereader.h" ConsoleReader::ConsoleReader(Callback c): onCommandCallback(c), cin(stdin), cout(stdout) { // ConsoleReader: 从控制台中读入指令并直接发送给主程序 } void ConsoleReader::run() { while (!(command = cin.readLine()).isNull()) { onCommandCallback(command); } }
[ "sunrisefox@qq.com" ]
sunrisefox@qq.com
ef3ef0bb6c0a2272268d9b9bb342b05471d4943b
ceea3bfb7f90d48c142123fa93f0761ecfea35aa
/KFPlugin/KFIpAddress/KFPort.cpp
6c79d97f91c06b94d34f1b2bedede66ded55e772
[ "Apache-2.0" ]
permissive
lori227/KFrame
c0d56b065b511d5832247cf7283eee1f0898e23a
6d5ee260654cc19307eb947f09bae055d3703d95
refs/heads/master
2021-06-21T17:07:17.628294
2021-05-21T02:19:08
2021-05-21T02:19:08
138,002,897
25
9
null
null
null
null
UTF-8
C++
false
false
727
cpp
#include "KFPort.hpp" namespace KFrame { KFPort* KFramePort::FindPort( uint64 id ) { KFLocker locker( _kf_mutex ); for ( auto i = 0; i < __MAX_PORT_COUNT__; ++i ) { auto kfport = &_kf_port[ i ]; if ( kfport->_id == id ) { return kfport; } if ( kfport->_id == 0 ) { kfport->_id = id; kfport->_port = i + 1; return kfport; } } return nullptr; } ///////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////////// }
[ "lori227@qq.com" ]
lori227@qq.com
702230de03b7bd7b7ec82f843027bd6ab4bdac58
03827fe0474e22fb6ebedaf54280efd99f89d5c0
/Source/Depricated/DXViewHost.h
fcbdea2a2d5159427658c37a8732311d59f53b68
[]
no_license
ThallasTV/DX11-3D-Scene
aef0b0010aa4056f7fc5dc440d4b2033f97bfa40
25a3240bc68b449136882c22451c5217af715579
refs/heads/master
2021-01-03T12:03:31.667824
2020-02-12T17:45:16
2020-02-12T17:45:16
240,075,741
0
0
null
null
null
null
UTF-8
C++
false
false
1,061
h
// // DXViewHost.h // // DXViewHost stores a reference to a D3D11 resource view interface. DXViewHost retains a reference to the contained interface. This decouples the view from each pipeline object simplifying view resizing for example. #pragma once #include <d3d11_2.h> #include <GUObject.h> template <class T> class DXViewHost : public GUObject { T *resourceView; public: DXViewHost() { resourceView = nullptr; } DXViewHost(T *_resourceView) { resourceView = _resourceView; if (resourceView) resourceView->AddRef(); } ~DXViewHost() { if (resourceView) resourceView->Release(); } T* getResourceView() { return resourceView; } void releaseResourceView() { if (resourceView) { resourceView->Release(); resourceView = nullptr; } } void setResourceView(T *_newResourceView) { if (_newResourceView) _newResourceView->AddRef(); if (resourceView) resourceView->Release(); resourceView = _newResourceView; } };
[ "16005481@students.southwales.ac.uk" ]
16005481@students.southwales.ac.uk
bcf2c668e1a4e18cc97cdc782eeac691683da1b6
1f44a073b05dd8adc502070bf1e31b86083a6579
/CPP/GCD.cpp
137916448959a9553114b7a61844a1b0917e3fcb
[]
no_license
jokot/ImplementasiCPP
ab9a88a389f34248dd588645f72a330c6a92a390
1fc7fd7382626f7facfcc4a6ee4851de5ca545a8
refs/heads/master
2020-08-17T20:57:59.060281
2019-03-20T15:39:09
2019-03-20T15:39:09
215,711,335
0
0
null
2019-10-17T05:38:51
2019-10-17T05:38:50
null
UTF-8
C++
false
false
201
cpp
#include<iostream> using namespace std; main(){ int in1, in2, ou; int a; cin>>in1>>in2; for(a=1; a<=in1 && a<=in2; a++){ if(in1%a==0 && in2%a==0){ ou=a; } } cout<<ou<<endl; }
[ "yues.963@gmail.com" ]
yues.963@gmail.com
3130d84fedb636326510d63f019e71b3d4aaf924
10ddfb2d43a8ec5d47ce35dc0b8acf4fd58dea94
/C++/search-suggestions-system.cpp
b84226b8a1d5acf6c642c4c4d1a8128e6b5f8316
[ "MIT" ]
permissive
kamyu104/LeetCode-Solutions
f54822059405ef4df737d2e9898b024f051fd525
4dc4e6642dc92f1983c13564cc0fd99917cab358
refs/heads/master
2023-09-02T13:48:26.830566
2023-08-28T10:11:12
2023-08-28T10:11:12
152,631,182
4,549
1,651
MIT
2023-05-31T06:10:33
2018-10-11T17:38:35
C++
UTF-8
C++
false
false
5,342
cpp
// Time: ctor: O(n * l), n is the number of products // , l is the average length of product name // suggest: O(l^2) // Space: O(t), t is the number of nodes in trie class Solution { public: vector<vector<string>> suggestedProducts(vector<string>& products, string searchWord) { TrieNode trie; for (int i = 0; i < products.size(); ++i) { trie.insert(products, i); } auto curr = &trie; vector<vector<string>> result(searchWord.length()); for (int i = 0; i < searchWord.length(); ++i) { // Time: O(l) if (!curr->leaves.count(searchWord[i])) { break; } curr = curr->leaves[searchWord[i]]; for (const auto& j : curr->infos) { result[i].emplace_back(products[j]); } } return result; } class TrieNode { public: static const int TOP_COUNT = 3; ~TrieNode() { for (auto& kv : leaves) { if (kv.second) { delete kv.second; } } } // Time: O(l) void insert(const vector<string>& words, int i) { auto* curr = this; for (const auto& c : words[i]) { if (!curr->leaves.count(c)) { curr->leaves[c] = new TrieNode; } curr = curr->leaves[c]; curr->add_info(words, i); } } // Time: O(l) void add_info(const vector<string>& words, int i) { infos.emplace_back(i); sort(infos.begin(), infos.end(), [&words](const auto& a, const auto& b) { return words[a] < words[b]; }); if (infos.size() > TOP_COUNT) { infos.pop_back(); } } vector<int> infos; unordered_map<char, TrieNode *> leaves; }; }; // Time: ctor: O(n * l * log(n * l)), n is the number of products // , l is the average length of product name // suggest: O(l^2) // Space: O(t), t is the number of nodes in trie class Solution2 { public: vector<vector<string>> suggestedProducts(vector<string>& products, string searchWord) { sort(products.begin(), products.end()); // Time: O(n * l * log(n * l)) TrieNode trie; for (int i = 0; i < products.size(); ++i) { trie.insert(products, i); } auto curr = &trie; vector<vector<string>> result(searchWord.length()); for (int i = 0; i < searchWord.length(); ++i) { // Time: O(l) if (!curr->leaves.count(searchWord[i])) { break; } curr = curr->leaves[searchWord[i]]; for (const auto& j : curr->infos) { result[i].emplace_back(products[j]); } } return result; } class TrieNode { public: static const int TOP_COUNT = 3; ~TrieNode() { for (auto& kv : leaves) { if (kv.second) { delete kv.second; } } } // Time: O(l) void insert(const vector<string>& words, int i) { auto* curr = this; for (const auto& c : words[i]) { if (!curr->leaves.count(c)) { curr->leaves[c] = new TrieNode; } curr = curr->leaves[c]; curr->add_info(words, i); } } // Time: O(1) void add_info(const vector<string>& words, int i) { if (infos.size() == TOP_COUNT) { return; } infos.emplace_back(i); } vector<int> infos; unordered_map<char, TrieNode *> leaves; }; }; // Time: ctor: O(n * l * log(n * l)), n is the number of products // , l is the average length of product name // suggest: O(l^2 * n) // Space: O(n * l) class Solution3 { public: vector<vector<string>> suggestedProducts(vector<string>& products, string searchWord) { sort(products.begin(), products.end()); // Time: O(n * l * log(n * l)) vector<vector<string>> result; string prefix; for (int i = 0; i < searchWord.length(); ++i) { // Time: O(l) prefix += searchWord[i]; int start = distance(products.cbegin(), lower_bound(products.cbegin(), products.cend(), prefix)); // Time: O(log(n * l)) vector<string> new_products; for (int j = start; j < products.size(); ++j) { // Time: O(n * l) if (!(i < products[j].length() && products[j][i] == searchWord[i])) { break; } new_products.emplace_back(products[j]); } products = move(new_products); result.emplace_back(); for (int j = 0; j < min(int(products.size()), 3); ++j) { result.back().emplace_back(products[j]); }; } return result; } };
[ "noreply@github.com" ]
noreply@github.com
37dc3f2d22eaf1f85db01a4e54a7feb29664e9ea
bb6ebff7a7f6140903d37905c350954ff6599091
/chrome/browser/extensions/api/omnibox/omnibox_api.h
15d49262d34d07a455eb19b23ac7ede28211d3fc
[ "BSD-3-Clause" ]
permissive
PDi-Communication-Systems-Inc/lollipop_external_chromium_org
faa6602bd6bfd9b9b6277ce3cd16df0bd26e7f2f
ccadf4e63dd34be157281f53fe213d09a8c66d2c
refs/heads/master
2022-12-23T18:07:04.568931
2016-04-11T16:03:36
2016-04-11T16:03:36
53,677,925
0
1
BSD-3-Clause
2022-12-09T23:46:46
2016-03-11T15:49:07
C++
UTF-8
C++
false
false
5,896
h
// Copyright (c) 2012 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_EXTENSIONS_API_OMNIBOX_OMNIBOX_API_H_ #define CHROME_BROWSER_EXTENSIONS_API_OMNIBOX_OMNIBOX_API_H_ #include <set> #include <string> #include "base/memory/scoped_ptr.h" #include "base/scoped_observer.h" #include "base/strings/string16.h" #include "chrome/browser/autocomplete/autocomplete_match.h" #include "chrome/browser/extensions/chrome_extension_function.h" #include "chrome/browser/extensions/extension_icon_manager.h" #include "chrome/browser/search_engines/template_url_service.h" #include "chrome/common/extensions/api/omnibox.h" #include "extensions/browser/browser_context_keyed_api_factory.h" #include "extensions/browser/extension_registry_observer.h" #include "ui/base/window_open_disposition.h" class Profile; class TemplateURL; class TemplateURLService; namespace base { class ListValue; } namespace content { class BrowserContext; class WebContents; } namespace gfx { class Image; } namespace extensions { class ExtensionRegistry; // Event router class for events related to the omnibox API. class ExtensionOmniboxEventRouter { public: // The user has just typed the omnibox keyword. This is sent exactly once in // a given input session, before any OnInputChanged events. static void OnInputStarted( Profile* profile, const std::string& extension_id); // The user has changed what is typed into the omnibox while in an extension // keyword session. Returns true if someone is listening to this event, and // thus we have some degree of confidence we'll get a response. static bool OnInputChanged( Profile* profile, const std::string& extension_id, const std::string& input, int suggest_id); // The user has accepted the omnibox input. static void OnInputEntered( content::WebContents* web_contents, const std::string& extension_id, const std::string& input, WindowOpenDisposition disposition); // The user has cleared the keyword, or closed the omnibox popup. This is // sent at most once in a give input session, after any OnInputChanged events. static void OnInputCancelled( Profile* profile, const std::string& extension_id); private: DISALLOW_COPY_AND_ASSIGN(ExtensionOmniboxEventRouter); }; class OmniboxSendSuggestionsFunction : public ChromeSyncExtensionFunction { public: DECLARE_EXTENSION_FUNCTION("omnibox.sendSuggestions", OMNIBOX_SENDSUGGESTIONS) protected: virtual ~OmniboxSendSuggestionsFunction() {} // ExtensionFunction: virtual bool RunSync() OVERRIDE; }; class OmniboxAPI : public BrowserContextKeyedAPI, public ExtensionRegistryObserver { public: explicit OmniboxAPI(content::BrowserContext* context); virtual ~OmniboxAPI(); // BrowserContextKeyedAPI implementation. static BrowserContextKeyedAPIFactory<OmniboxAPI>* GetFactoryInstance(); // Convenience method to get the OmniboxAPI for a profile. static OmniboxAPI* Get(content::BrowserContext* context); // KeyedService implementation. virtual void Shutdown() OVERRIDE; // Returns the icon to display in the omnibox for the given extension. gfx::Image GetOmniboxIcon(const std::string& extension_id); // Returns the icon to display in the omnibox popup window for the given // extension. gfx::Image GetOmniboxPopupIcon(const std::string& extension_id); private: friend class BrowserContextKeyedAPIFactory<OmniboxAPI>; typedef std::set<const Extension*> PendingExtensions; void OnTemplateURLsLoaded(); // ExtensionRegistryObserver implementation. virtual void OnExtensionLoaded(content::BrowserContext* browser_context, const Extension* extension) OVERRIDE; virtual void OnExtensionUnloaded( content::BrowserContext* browser_context, const Extension* extension, UnloadedExtensionInfo::Reason reason) OVERRIDE; // BrowserContextKeyedAPI implementation. static const char* service_name() { return "OmniboxAPI"; } static const bool kServiceRedirectedInIncognito = true; Profile* profile_; TemplateURLService* url_service_; // List of extensions waiting for the TemplateURLService to Load to // have keywords registered. PendingExtensions pending_extensions_; // Listen to extension load, unloaded notifications. ScopedObserver<ExtensionRegistry, ExtensionRegistryObserver> extension_registry_observer_; // Keeps track of favicon-sized omnibox icons for extensions. ExtensionIconManager omnibox_icon_manager_; ExtensionIconManager omnibox_popup_icon_manager_; scoped_ptr<TemplateURLService::Subscription> template_url_sub_; DISALLOW_COPY_AND_ASSIGN(OmniboxAPI); }; template <> void BrowserContextKeyedAPIFactory<OmniboxAPI>::DeclareFactoryDependencies(); class OmniboxSetDefaultSuggestionFunction : public ChromeSyncExtensionFunction { public: DECLARE_EXTENSION_FUNCTION("omnibox.setDefaultSuggestion", OMNIBOX_SETDEFAULTSUGGESTION) protected: virtual ~OmniboxSetDefaultSuggestionFunction() {} // ExtensionFunction: virtual bool RunSync() OVERRIDE; }; // If the extension has set a custom default suggestion via // omnibox.setDefaultSuggestion, apply that to |match|. Otherwise, do nothing. void ApplyDefaultSuggestionForExtensionKeyword( Profile* profile, const TemplateURL* keyword, const base::string16& remaining_input, AutocompleteMatch* match); // This function converts style information populated by the JSON schema // // compiler into an ACMatchClassifications object. ACMatchClassifications StyleTypesToACMatchClassifications( const api::omnibox::SuggestResult &suggestion); } // namespace extensions #endif // CHROME_BROWSER_EXTENSIONS_API_OMNIBOX_OMNIBOX_API_H_
[ "mrobbeloth@pdiarm.com" ]
mrobbeloth@pdiarm.com
b3970c399352bf5e9e749d708e65fcc5ec588caa
d4673c0d72cd1e0294dd123ea7baa6f455d2c812
/Part Number/2000/2900/2991/DC1785A/DC1785A.ino
540db4dabc6b38d4546a4c389c94927a31fad391
[]
no_license
Spartan-Racing-Electric-SJSU/BMS
7fd9938767f8f637cfa357e86d904cb85520d70f
03142ce298bdc9c85d1f5b9186194f188eade5ac
refs/heads/master
2022-02-15T11:57:08.558730
2018-06-26T23:30:05
2018-06-26T23:30:05
125,779,086
3
2
null
null
null
null
UTF-8
C++
false
false
45,775
ino
/*! Linear Technology DC1785 Demonstration Board. LTC2991: 14-bit ADC Octal I2C Voltage, Current, and Temperature monitor. @verbatim Setup: Set the terminal baud rate to 115200 and select the newline terminator. A precision voltage source (preferably low-noise) may be used to apply a voltage to input terminals V1-V8. A precision voltmeter may be used to verify applied voltages. An oscilloscope may be used to view the PWM output. Ensure JP5, JP6 and JP7 are in the LOW position. Refer to Demo Manual DC1785A Explanation of Commands: 1 - Single-Ended Voltage - Selects the Single-Ended Voltage Menu. 1-8: Displays the measured single-ended voltage at one of the V1-V8 inputs. When measuring V1 and V8, ensure jumpers are set to VOLT position. 9: Vcc - Displays the measured Vcc voltage. 10: ALL - Displays the measured voltages at all of the V1-V8 inputs and Vcc. 2 - Differential Voltage - Selects the Differential Voltage Menu. Maximum full scale differential voltage is 0.300V. 1-4: Displays the measured differential voltage across one of the V1-V8 input pairs. The input common-mode range is 0V to Vcc. It is easiest to ground the lower input. When measuring V1 and V8, ensure jumpers are set to VOLT position. 5: ALL - Displays the measured differential voltages at all terminals. 3 - Temperature - Selects the Temperature Menu To measure temperature using onboard transistors, set JP1, JP2, JP3 and JP4 to TEMP position. 1: V1-V2 - Measure temperature of Q1 (mounted to demo board) when JP1 and JP2 are in TEMP position. 2: V3-V4 - Measure temperature of external transistor connected to V3 and V4 terminals. 3: V5-V6 - Measure temperature of external transistor connected to V5 and V6 terminals. 4: V7-V8 - Measure temperature of Q2 (mounted to demo board) when JP3 and JP4 are in TEMP position. 5: Internal - Measure temperature using the internal temperature sensor. 6: All - Displays temperatures at all connections as well as the internal temperature sensor. 4 - Settings - Selects the Settings Menu Enable/disable the on-chip digital filters. Also toggle temperature units between degrees Celsius or degrees Kelvin. 1-5: Entering these one can enable/disable various channel filters. 6: Toggle temperature units between degrees Celsius and degrees Kelvin. 5 - PWM - Selects the PWM Menu Generates Proportional PWM output using remote diode connected to pins 7 and 8. When JP3 and JP4 are in TEMP positions, Q2 is used as the temperature sensing diode (mounted on demo board). 1: Set Threshold Temperature - Enter temperature corresponding to 0% (100% in Inverted Mode) duty cycle. 2: Inverted/Non-Inverted PWM - Toggles between Inverted/Non-Inverted modes 3: Enable/Disable - Enables or Disables PWM (Toggle) USER INPUT DATA FORMAT: decimal : 1024 hex : 0x400 octal : 02000 (leading 0 "zero") binary : B10000000000 float : 1024.0 @endverbatim http://www.linear.com/product/LTC2991 http://www.linear.com/product/LTC2991#demoboards REVISION HISTORY $Revision: 3659 $ $Date: 2015-07-01 10:19:20 -0700 (Wed, 01 Jul 2015) $ Copyright (c) 2013, Linear Technology Corp.(LTC) 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. 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. The views and conclusions contained in the software and documentation are those of the authors and should not be interpreted as representing official policies, either expressed or implied, of Linear Technology Corp. The Linear Technology Linduino is not affiliated with the official Arduino team. However, the Linduino is only possible because of the Arduino team's commitment to the open-source community. Please, visit http://www.arduino.cc and http://store.arduino.cc , and consider a purchase that will help fund their ongoing work. */ /*! @file @ingroup LTC2991 */ #include <Arduino.h> #include <stdint.h> #include "Linduino.h" #include "UserInterface.h" #include "LT_I2C.h" #include "QuikEval_EEPROM.h" #include "LTC2991.h" #include <Wire.h> #include <SPI.h> // Function Declaration void print_title(); // Print the title block void print_prompt(); // Prompt the user for an input command int8_t menu_1_single_ended_voltage(); //Sub-menu functions int8_t menu_2_read_differential_voltage(); int8_t menu_3_read_temperature(); int8_t menu_4_settings(); int8_t menu_5_pwm_options(); // Global variables static uint8_t demo_board_connected; //!< Set to 1 if the board is connected const uint16_t LTC2991_TIMEOUT=1000; //!< Configures the maximum timeout allowed for an LTC2991 read. //! Initialize Linduino void setup() { char demo_name[] = "DC1785"; // Demo Board Name stored in QuikEval EEPROM int8_t ack=0; quikeval_I2C_init(); //! Initializes Linduino I2C port. quikeval_I2C_connect(); //! Connects I2C port to the QuikEval connector Serial.begin(115200); //! Initialize the serial port to the PC print_title(); demo_board_connected = discover_demo_board(demo_name); //! Checks if correct demo board is connected. if (demo_board_connected) { print_prompt(); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CHANNEL_ENABLE_REG, LTC2991_ENABLE_ALL_CHANNELS); //! Enables all channels ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00); //! Sets registers to default starting values. ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, LTC2991_REPEAT_MODE); //! Configures LTC2991 for Repeated Acquisition mode } } //! Repeats Linduino loop void loop() { int8_t ack=0; uint8_t user_command; if (demo_board_connected) //! Does nothing if the demo board is not connected { if (Serial.available()) // Checks for user input { user_command = read_int(); //! Reads the user command if (user_command != 'm') Serial.println(user_command); ack = 0; switch (user_command) //! Prints the appropriate submenu { case 1: ack |= menu_1_single_ended_voltage(); // Print single-ended voltage menu break; case 2: ack |= menu_2_read_differential_voltage(); // Differential voltage menu break; case 3: ack |= menu_3_read_temperature(); // Temperature menu break; case 4: ack |= menu_4_settings(); // Settings menu break; case 5: ack |= menu_5_pwm_options(); // PWM options menu break; default: Serial.println("Incorrect Option"); break; } if (ack != 0) { Serial.print(F("Error: No Acknowledge. Check I2C Address.\n")); } print_prompt(); } } } // Function Definitions //! Prints the title block when program first starts. void print_title() { Serial.print(F("\n*****************************************************************\n")); Serial.print(F("* DC1785A Demonstration Program *\n")); Serial.print(F("* *\n")); Serial.print(F("* This program demonstrates how to send and receive data from *\n")); Serial.print(F("* the LTC2991 14-Bit Octal I2C Voltage, Current, and *\n")); Serial.print(F("* Temperature Monitor. *\n")); Serial.print(F("* *\n")); Serial.print(F("* Set the baud rate to 115200 and select the newline terminator.*\n")); Serial.print(F("* *\n")); Serial.print(F("*****************************************************************\n")); } //! Prints main menu. void print_prompt() { Serial.print(F("\n 1-Single-Ended Voltage\n")); Serial.print(F(" 2-Differential Voltage\n")); Serial.print(F(" 3-Temperature\n")); Serial.print(F(" 4-Settings\n")); Serial.print(F(" 5-PWM\n\n")); Serial.print(F("Enter a command:")); } //! Read single-ended voltages //! @return Returns the state of the acknowledge bit after the I2C address write. 0=acknowledge, 1=no acknowledge. int8_t menu_1_single_ended_voltage() { int8_t ack=0; uint8_t user_command; do { //! Displays the single-ended voltage menu Serial.print(F("\nSingle-Ended Voltage\n\n")); Serial.print(F(" 1-V1\n")); Serial.print(F(" 2-V2\n")); Serial.print(F(" 3-V3\n")); Serial.print(F(" 4-V4\n")); Serial.print(F(" 5-V5\n")); Serial.print(F(" 6-V6\n")); Serial.print(F(" 7-V7\n")); Serial.print(F(" 8-V8\n")); Serial.print(F(" 9-Vcc\n")); Serial.print(F(" 10-ALL\n")); Serial.print(F(" m-Main Menu\n")); Serial.print(F("\n\nEnter a command: ")); user_command = read_int(); //! Reads the user command if (user_command == 'm') // Print m if it is entered { Serial.print(F("m\n")); } else Serial.println(user_command); // Print user command int16_t code; int8_t data_valid; float voltage; //! Enables single-ended mode. //! Flushes one reading following mode change. //! Reads single-ended voltage from ADC and prints it. switch (user_command) { case 1: // Enable Single-Ended Mode by clearing LTC2991_V1_V2_DIFFERENTIAL_ENABLE bit in LTC2991_CONTROL_V1234_REG ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00, LTC2991_V1_V2_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V1_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V1: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 2: // Enable Single-Ended Mode by clearing LTC2991_V1_V2_DIFFERENTIAL_ENABLE bit in LTC2991_CONTROL_V1234_REG ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00, LTC2991_V1_V2_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V2_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V2: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 3: // Enable Single-Ended Mode by clearing LTC2991_V3_V4_DIFFERENTIAL_ENABLE bit in LTC2991_CONTROL_V1234_REG ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00, LTC2991_V3_V4_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V3_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V3: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 4: // Enable Single-Ended Mode by clearing LTC2991_V3_V4_DIFFERENTIAL_ENABLE bit in LTC2991_CONTROL_V1234_REG ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00, LTC2991_V3_V4_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V4_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V4: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 5: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00, LTC2991_V5_V6_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V5_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V5: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 6: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00, LTC2991_V5_V6_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V6_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V6: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 7: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00, LTC2991_V7_V8_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V8_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V7: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 8: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00, LTC2991_V7_V8_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V8_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V8: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 9: // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_Vcc_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_vcc_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n Vcc: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 10: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, 0x00, (LTC2991_V1_V2_DIFFERENTIAL_ENABLE | LTC2991_V3_V4_DIFFERENTIAL_ENABLE | LTC2991_V1_V2_TEMP_ENABLE | LTC2991_V3_V4_TEMP_ENABLE)); ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, 0x00, (LTC2991_V5_V6_DIFFERENTIAL_ENABLE | LTC2991_V7_V8_DIFFERENTIAL_ENABLE | LTC2991_V5_V6_TEMP_ENABLE | LTC2991_V7_V8_TEMP_ENABLE)); // Reads and displays all single-ended voltages // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V1_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F("\n V1: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V2_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V2: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V3_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V3: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V4_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V4: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V5_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V5: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V6_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V6: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V7_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V7: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V8_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_single_ended_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" V8: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_Vcc_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_vcc_voltage(code, LTC2991_SINGLE_ENDED_lsb); Serial.print(F(" Vcc: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; default: if (user_command != 'm') Serial.println(" Incorrect Option"); break; } } while ((user_command != 'm') && (ack != 1)); return(ack); } //! Read differential voltages. //! @return Returns the state of the acknowledge bit after the I2C address write. 0=acknowledge, 1=no acknowledge. int8_t menu_2_read_differential_voltage() { int8_t ack=0; uint8_t user_command; do { //! Display differential voltage menu. Serial.print(F("\nDifferential Voltage\n\n")); Serial.print(F(" 1-V1-V2\n")); Serial.print(F(" 2-V3-V4\n")); Serial.print(F(" 3-V5-V6\n")); Serial.print(F(" 4-V7-V8\n")); Serial.print(F(" 5-ALL\n")); Serial.print(F(" m-Main Menu\n")); Serial.print(F("\n\nEnter a command: ")); user_command = read_int(); //! Reads the user command if (user_command == 'm') // Print m if it is entered { Serial.print(F("m\n")); } else Serial.println(user_command); // Print user command int8_t data_valid; int16_t code; float voltage; //! Enables differential mode. //! Flushes one reading following mode change. //! Reads differential voltage from ADC and prints it. switch (user_command) { case 1: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V1_V2_DIFFERENTIAL_ENABLE, LTC2991_V1_V2_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V2_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F("\n V1-V2: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 2: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V3_V4_DIFFERENTIAL_ENABLE, LTC2991_V3_V4_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V4_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F("\n V3-V4: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 3: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V5_V6_DIFFERENTIAL_ENABLE, LTC2991_V5_V6_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V6_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F("\n V5-V6: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 4: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V7_V8_DIFFERENTIAL_ENABLE, LTC2991_V7_V8_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V8_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F("\n V7-V8: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; case 5: // reads all differential voltages ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V1_V2_DIFFERENTIAL_ENABLE | LTC2991_V3_V4_DIFFERENTIAL_ENABLE, LTC2991_V1_V2_TEMP_ENABLE | LTC2991_V3_V4_TEMP_ENABLE); ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V5_V6_DIFFERENTIAL_ENABLE | LTC2991_V7_V8_DIFFERENTIAL_ENABLE, LTC2991_V5_V6_TEMP_ENABLE | LTC2991_V7_V8_TEMP_ENABLE); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V2_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F("\n V1-V2: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V4_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F(" V3-V4: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V6_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F(" V5-V6: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V8_MSB_REG, &code, &data_valid, LTC2991_TIMEOUT); voltage = LTC2991_code_to_differential_voltage(code, LTC2991_DIFFERENTIAL_lsb); Serial.print(F(" V7-V8: ")); Serial.print(voltage, 4); Serial.print(F(" V\n")); break; default: if (user_command != 'm') { Serial.print(F("Incorrect Option\n")); } break; } } while ((user_command != 'm') && (ack != 1)); return(ack); } //! Read temperatures //! @return Returns the state of the acknowledge bit after the I2C address write. 0=acknowledge, 1=no acknowledge. int8_t menu_3_read_temperature() { int8_t ack=0; boolean isKelvin = false; //!Keeps track of the unit of measurement uint8_t user_command; do { //! Displays temperature menu Serial.print(F("\nTemperature\n\n")); Serial.print(F(" 1-V1-V2\n")); Serial.print(F(" 2-V3-V4\n")); Serial.print(F(" 3-V5-V6\n")); Serial.print(F(" 4-V7-V8\n")); Serial.print(F(" 5-Internal\n")); Serial.print(F(" 6-ALL\n")); Serial.print(F(" m-Main Menu\n")); Serial.print(F("\n\nEnter a command: ")); user_command = read_int(); //! Reads the user command if (user_command == 'm') // Print m if it is entered { Serial.print(F("m\n")); } else Serial.println(user_command); // Print user command // Read Temperature int8_t data_valid; int16_t adc_code; uint8_t reg_data; float temperature; //! Enables temperature mode. //! Flushes one reading following mode change. //! Reads temperature from ADC and prints it. switch (user_command) { case 1: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V1_V2_TEMP_ENABLE, 0x00); ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V1_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); if (reg_data & LTC2991_V1_V2_KELVIN_ENABLE) isKelvin= true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F("\n V1-V2: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; case 2: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V3_V4_TEMP_ENABLE, 0x00); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V3_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); if (reg_data & LTC2991_V3_V4_KELVIN_ENABLE) isKelvin=true; else isKelvin = false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F("\n V3-V4: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; case 3: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V5_V6_TEMP_ENABLE, 0x00); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V5_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V5_V6_KELVIN_ENABLE) isKelvin=true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F("\n V5-V6: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; case 4: ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V7_V8_TEMP_ENABLE, 0x00); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V7_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V7_V8_KELVIN_ENABLE) isKelvin = true; else isKelvin = false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F("\n V7-V8: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; case 5: // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_T_Internal_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); if (reg_data & LTC2991_INT_KELVIN_ENABLE) isKelvin=true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb,isKelvin); Serial.print(F("\n Internal: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; case 6: // All Temperatures ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, LTC2991_V1_V2_TEMP_ENABLE | LTC2991_V3_V4_TEMP_ENABLE, 0x00); ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V5_V6_TEMP_ENABLE | LTC2991_V7_V8_TEMP_ENABLE, 0x00); // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V1_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); if (reg_data & LTC2991_V1_V2_KELVIN_ENABLE) isKelvin = true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb,isKelvin); Serial.print(F("\n V1-V2: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V3_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); if (reg_data & LTC2991_V3_V4_KELVIN_ENABLE) isKelvin = true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F(" V3-V4: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V5_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V5_V6_KELVIN_ENABLE) isKelvin = true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb,isKelvin); Serial.print(F(" V5-V6: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_V7_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V7_V8_KELVIN_ENABLE) isKelvin = true; else isKelvin=false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F(" V7-V8: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); if (ack) break; // Flush one ADC reading in case it is stale. Then, take a new fresh reading. ack |= LTC2991_adc_read_new_data(LTC2991_I2C_ADDRESS, LTC2991_T_Internal_MSB_REG, &adc_code, &data_valid, LTC2991_TIMEOUT); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); if (reg_data & LTC2991_INT_KELVIN_ENABLE) isKelvin = true; else isKelvin = false; temperature = LTC2991_temperature(adc_code, LTC2991_TEMPERATURE_lsb, isKelvin); Serial.print(F(" Internal: ")); Serial.print(temperature, 2); if (isKelvin) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); break; default: if (user_command != 'm') Serial.println("Incorrect Option"); break; } } while ((user_command != 'm') && (ack == 0)); return(ack); } //! Configure settings //! @return Returns the state of the acknowledge bit after the I2C address write. 0=acknowledge, 1=no acknowledge. int8_t menu_4_settings() { uint8_t user_command; int8_t ack=0; uint8_t reg_data; do { Serial.print(F("\nSettings\n")); //! Displays Setting menu Serial.print(F("************************\n")); Serial.print(F("* Filter *\n")); Serial.print(F("************************\n")); Serial.print(F("* 1-V1/V2: ")); //! Displays present status of all settings by reading from LTC2991 registers. ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); if (reg_data & LTC2991_V1_V2_FILTER_ENABLE) Serial.print(F("Enabled *\n")); else Serial.print(F("Disabled *\n")); Serial.print(F("* 2-V3/V4: ")); if (reg_data & LTC2991_V3_V4_FILTER_ENABLE) Serial.print(F("Enabled *\n")); else Serial.print(F("Disabled *\n")); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); Serial.print(F("* 3-V5/V6: ")); if (reg_data & LTC2991_V5_V6_FILTER_ENABLE) Serial.print(F("Enabled *\n")); else Serial.print(F("Disabled *\n")); Serial.print(F("* 4-V7/V8: ")); if (reg_data & LTC2991_V7_V8_FILTER_ENABLE) Serial.print(F("Enabled *\n")); else Serial.print(F("Disabled *\n")); Serial.print(F("* 5-Internal: ")); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); if (reg_data & LTC2991_INT_FILTER_ENABLE) Serial.print(F("Enabled *\n")); else Serial.print(F("Disabled *\n")); Serial.print(F("************************\n")); Serial.print(F("* 6-Deg C/K:")); //Only looks at the internal temperature sensor's setting for Celsius/Kelvin, but all channels should be the same in this program. ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); if (reg_data & LTC2991_INT_KELVIN_ENABLE) Serial.print(F(" Kelvin *\n")); else Serial.print(F(" Celsius*\n")); Serial.print(F("* m-Main Menu *\n")); Serial.print(F("************************\n\n")); Serial.print(F("Enter a command: ")); user_command = read_int(); //! Reads the user command if (user_command == 'm') Serial.print(F("m\n")); // Print m if it is entered else Serial.println(user_command); // Print user command //! Toggles the setting selected by user. switch (user_command) { case 1: // Toggle Filter bit ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, reg_data ^ LTC2991_V1_V2_FILTER_ENABLE); break; case 2: // Toggle Filter bit ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, reg_data ^ LTC2991_V3_V4_FILTER_ENABLE); break; case 3: // Toggle Filter bit ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, reg_data ^ LTC2991_V5_V6_FILTER_ENABLE); break; case 4: // Toggle Filter bit ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, reg_data ^ LTC2991_V7_V8_FILTER_ENABLE); break; case 5: // Toggle Filter bit ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, reg_data ^ LTC2991_INT_FILTER_ENABLE); break; case 6: // Toggle Kelvin/Celsius bits ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V1234_REG, reg_data ^ (LTC2991_V1_V2_KELVIN_ENABLE | LTC2991_V3_V4_KELVIN_ENABLE)); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, reg_data ^ (LTC2991_V5_V6_KELVIN_ENABLE | LTC2991_V7_V8_KELVIN_ENABLE)); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, reg_data ^ LTC2991_INT_KELVIN_ENABLE); break; default: if (user_command != 'm') Serial.print(F("Incorrect Option\n")); break; } } while ((user_command != 'm') && (ack != 1)); return(ack); } //! Configure PWM options //! @return Returns the state of the acknowledge bit after the I2C address write. 0=acknowledge, 1=no acknowledge. int8_t menu_5_pwm_options() { int8_t ack=0; uint8_t user_command; int16_t pwm_temp = 0; uint8_t reg_data, reg_data_msb; do { Serial.print(F("\n\nPWM Settings - Select to Toggle\n\n")); //! Displays PWM Settings menu Serial.print(F(" 1-Temp Threshold: ")); // Check if V7-V8 are configured for temperature mode //! Print present status of all PWM settings based on LTC2991 register contents. ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V7_V8_TEMP_ENABLE) { // Print the configured PWM temperature threshold ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_PWM_THRESHOLD_MSB_REG, &reg_data_msb); ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); // Combine temperature threshold's upper 8 MSB's from LTC2991_PWM_THRESHOLD_MSB_REG with the 1 LSB in the upper bit of LTC2991_CONTROL_PWM_Tinternal_REG pwm_temp = (int16_t)((reg_data_msb << 1) | (reg_data & LTC2991_PWM_0) >> 7); Serial.print(pwm_temp); //Print degrees C or K configured for V7/V8 ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V7_V8_KELVIN_ENABLE) Serial.print(F(" K\n")); else Serial.print(F(" C\n")); } else { Serial.print(F("Not Configured")); } ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); if (reg_data & LTC2991_PWM_INVERT) Serial.print(F(" 2-Inverted\n")); else Serial.print(F(" 2-Noninverted\n")); if (reg_data & LTC2991_PWM_ENABLE) Serial.print(F(" 3-Enabled\n")); else Serial.print(F(" 3-Disabled\n")); Serial.print(F(" m-Main Menu\n")); Serial.print(F("\n\nEnter a command: ")); user_command = read_int(); //! Reads the user command if (user_command == 'm') // Print m if it is entered { Serial.print(F("m\n")); } else { Serial.println(user_command); // Print user command } //! Modify PWM threshold or toggle a PWM setting based on user input. switch (user_command) { case 1: ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, &reg_data); if (reg_data & LTC2991_V7_V8_KELVIN_ENABLE) Serial.print(F("\nEnter Temperature Threshold in Kelvin: ")); else Serial.print(F("\nEnter Temperature Threshold in Celsius: ")); pwm_temp = (int16_t)read_int(); // read the user command Serial.println(pwm_temp); ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V7_V8_TEMP_ENABLE, 0x00); // Enables V7-V8 ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_PWM_THRESHOLD_MSB_REG, pwm_temp >> 1); ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, (pwm_temp & 0x01) << 7, 0x00); break; case 2: ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, reg_data ^ LTC2991_PWM_INVERT); break; case 3: // Enable temperature mode for V7-V8 in case it was in voltage mode ack |= LTC2991_register_set_clear_bits(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_V5678_REG, LTC2991_V7_V8_TEMP_ENABLE, 0x00); // Toggle PWM Enable ack |= LTC2991_register_read(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, &reg_data); ack |= LTC2991_register_write(LTC2991_I2C_ADDRESS, LTC2991_CONTROL_PWM_Tinternal_REG, reg_data ^ LTC2991_PWM_ENABLE); break; default: if (user_command != 'm') Serial.println("Incorrect Option"); break; } } while ((user_command != 'm') && (ack != 1)); return(ack); }
[ "alexbsternberg@gmail.com" ]
alexbsternberg@gmail.com
9629970303cfa1ffa4625ee41f134a16809d9f8d
d2361a5dddb1f5a4332ffc13eef6bed4f6b66ca1
/cpp_piscine/day01/ex00/Pony.cpp
97c56ba617c74d820dfc115086a3948d2e5588ea
[]
no_license
costae/42_first_projects
b00fee7a684a247628671ce412f18c405c04eb2c
309460972822582f5606190412650a34735fcc28
refs/heads/master
2021-03-22T00:11:51.018365
2017-12-12T16:23:09
2017-12-12T16:23:09
114,004,753
0
0
null
null
null
null
UTF-8
C++
false
false
497
cpp
#include <iostream> #include "Pony.hpp" Pony::Pony(std::string str) { std::cout << str << ", your god damn Pony was created. He is stupid. I hate ponies." << std::endl; std::cout << "Did I mention that hate ponies?" << std::endl; return; } Pony::~Pony() { std::cout << "HELL YEAH! Your Pony died. Enjoy having no friends :)" << std::endl; } void ponyOnTheHeap(std::string str) { Pony* pony = new Pony(str); delete pony; } void ponyOnTheStack(std::string str) { Pony pony = Pony(str); }
[ "cmiron@e1p47.chisinau.42.fr" ]
cmiron@e1p47.chisinau.42.fr
c81c3cf8da93a531a1b81383d1de2b7d9bea7341
fc3286df3362fc9d78f8026f03a065724128d47f
/DataStructor/heap_use_compare.cpp
015a6700b00f651663be94fba7d6b280d28736a5
[]
no_license
Byeong-Chan/Mentoring
6ad3cca987c29e23b6fa18690985caa253407f56
53bb3331559de3e8ec68b3154629e6b25928d454
refs/heads/master
2021-05-10T09:29:22.484266
2018-03-08T11:35:46
2018-03-08T11:35:46
118,925,287
1
3
null
null
null
null
UTF-8
C++
false
false
2,578
cpp
#include <stdio.h> class heap { public: heap() { ptr = new long long[2]; _size = 0, _capacity = 1; } ~heap() { delete ptr; } long long abs(long long x) { if(x < 0) return -x; return x; } int compare(long long x, long long y) { // Absolute heap, using compare function. if(abs(x) < abs(y)) return -1; if(abs(x) > abs(y)) return 1; if(x < y) return -1; if(x > y) return 1; return 0; } void swap(long long &a, long long &b) { long long tmp = a; a = b; b = tmp; } void push(long long val) { if(_size == _capacity) { long long *newptr = new long long[(_capacity << 1) + 1]; for(int i = 1; i <= _capacity; i++) newptr[i] = ptr[i]; _capacity <<= 1; delete []ptr; ptr = newptr; } ptr[++_size] = val; int cur = _size; while(cur > 1) { if(compare(ptr[cur], ptr[cur >> 1]) < 0) swap(ptr[cur], ptr[cur >> 1]); else break; cur >>= 1; } } void pop() { if(_size == 0) return; swap(ptr[_size], ptr[1]); ptr[_size--] = 0; if(_size == 0) return; int cur = 1; while(1) { int l = cur << 1; int r = l + 1; if(r > _size && l > _size) break; if(r > _size && compare(ptr[l], ptr[cur]) < 0) { swap(ptr[cur], ptr[l]); cur = l; continue; } if(r > _size) break; int tmp = l; if(compare(ptr[r], ptr[l]) < 0) tmp = r; if(compare(ptr[tmp], ptr[cur]) < 0) { swap(ptr[cur], ptr[tmp]); cur = tmp; continue; } break; } } long long top() { return ptr[1]; } int size() { return _size; } bool empty() { return _size == 0; } void clear() { for(int i = 1; i <= _size; i++) ptr[i] = 0; _size = 0; } private: long long *ptr; int _size = 0; int _capacity; }; int main() { int n; scanf("%d",&n); heap pq; for(int i = 0; i < n; i++) { long long x; scanf("%lld",&x); if(x == 0) { if(pq.empty()) printf("0\n"); else { printf("%lld\n",pq.top()); pq.pop(); } continue; } pq.push(x); } return 0; }
[ "SeoByeongChan@seobyeongchan-ui-MacBook-Pro.local" ]
SeoByeongChan@seobyeongchan-ui-MacBook-Pro.local
8db2d83d4e609ae61bad7a7833703f670ea04b0c
cfcd48c2307743554395ee775df2521093f25ddc
/chapter1-5 study, practice/파일입출력_출력형태지정.cpp
ae1f21fbf1564f90566c1d46f149adf631115c88
[]
no_license
KIJUNG-CHAE/cpp
96a741ca5668c11ed6b6ece9e3ce3054cad3d6dc
b0bfc7efdd3c2625623863d42eb1292b15062e11
refs/heads/master
2020-12-05T21:13:15.032649
2020-02-04T15:53:36
2020-02-04T15:53:36
232,249,055
0
0
null
null
null
null
UTF-8
C++
false
false
486
cpp
#include<iostream> #include<fstream> #include<iomanip> using namespace std; int main(){ char name[10]; unsigned student_id; ofstream fout; cout<<"name : "; cin>>name; cout<<"stu_id : "; cin>>student_id; fout.open("test2.txt"); fout.width(10); fout<<name; fout.width(20); fout<<student_id; fout<<endl; fout.close(); fout.open("test2.txt",ios_base::out | ios_base::app); fout.fill('1'); fout<<setw(20)<<"Hello World"<<endl; fout.close() ; }
[ "noreply@github.com" ]
noreply@github.com
6364a1588de0846be1978a0c776846a963a5c2d8
aa37b7aec635fd62707c90a7b536926e20cddaef
/src/qt/platformstyle.h
55b4941539c9466793cdedc9cd851fc3bd089a47
[ "MIT" ]
permissive
planbcoin/planbcoin
d85b9345998c9a2221ea0b44ed0dec86c7d3dc1e
7d132eebdce94f34ca2e74278b5ca09dc012d164
refs/heads/master
2020-12-02T20:58:31.167685
2017-08-06T17:57:51
2017-08-06T17:57:51
96,237,224
0
0
null
null
null
null
UTF-8
C++
false
false
1,767
h
// Copyright (c) 2015 The PlanBcoin developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #ifndef BITCOIN_QT_PLATFORMSTYLE_H #define BITCOIN_QT_PLATFORMSTYLE_H #include <QIcon> #include <QPixmap> #include <QString> /* Coin network-specific GUI style information */ class PlatformStyle { public: /** Get style associated with provided platform name, or 0 if not known */ static const PlatformStyle *instantiate(const QString &platformId); const QString &getName() const { return name; } bool getImagesOnButtons() const { return imagesOnButtons; } bool getUseExtraSpacing() const { return useExtraSpacing; } QColor TextColor() const { return textColor; } QColor SingleColor() const { return singleColor; } /** Colorize an image (given filename) with the icon color */ QImage SingleColorImage(const QString& filename) const; /** Colorize an icon (given filename) with the icon color */ QIcon SingleColorIcon(const QString& filename) const; /** Colorize an icon (given object) with the icon color */ QIcon SingleColorIcon(const QIcon& icon) const; /** Colorize an icon (given filename) with the text color */ QIcon TextColorIcon(const QString& filename) const; /** Colorize an icon (given object) with the text color */ QIcon TextColorIcon(const QIcon& icon) const; private: PlatformStyle(const QString &name, bool imagesOnButtons, bool colorizeIcons, bool useExtraSpacing); QString name; bool imagesOnButtons; bool colorizeIcons; bool useExtraSpacing; QColor singleColor; QColor textColor; /* ... more to come later */ }; #endif // BITCOIN_QT_PLATFORMSTYLE_H
[ "ysoheil@gmail.com" ]
ysoheil@gmail.com
4750506ab1a3c40c777367d0ca4370454a99f0af
ed313bf0460c93ad03ad34e86175250b3c0e6ab4
/hdu/hdu_5879.cpp
0217b83c72ce45b7f34e0633081a65d93132505e
[]
no_license
ThereWillBeOneDaypyf/Summer_SolveSet
fd41059c5ddcbd33e2420277119613e991fb6da9
9895a9c035538c95a31f66ad4f85b6268b655331
refs/heads/master
2022-10-20T02:31:07.625252
2020-04-24T11:51:32
2020-04-24T11:51:32
94,217,614
1
1
null
null
null
null
UTF-8
C++
false
false
609
cpp
#include<bits/stdc++.h> using namespace std; //thanks to pyf ... //thanks to qhl ... const int N = 1e6 + 7; double a[N]; const double PI = 3.1415926535; void f() { for(int i = 1;i<=1e6;i++) { a[i] = a[i-1] + (double) (1.0 / i / i); } } long long get_s(string s) { long long sum = 0; long long base = 1; for(int i = s.length() - 1;i>=0;i--) sum += base * (s[i] - '0'), base *= 10; return sum; } int main() { string s; f(); while(cin >> s) { if(s.length() >= 7) { printf("%.5lf",a[1000000]); } else { long long n = get_s(s); printf("%.5lf",a[n]); } printf("\n"); } }
[ "527908203@qq.com" ]
527908203@qq.com
923545f48c77fd4b45d8ae5d2a7f2efa21909945
363715599b718aa8a650700b93d7c067c9368ba1
/ABC/042/b.cpp
979bd0671bee95412f758cfd81b9ae10a7e956ba
[]
no_license
yokonao/atcoder
d9d95d8d8f53c729ffbe2d55a86d300f33efc632
d4b1ebc2f1ea083ee8e37c82b899ab612b77c03a
refs/heads/master
2023-01-04T02:36:07.243014
2020-11-02T23:54:30
2020-11-02T23:54:30
309,524,643
0
0
null
null
null
null
UTF-8
C++
false
false
395
cpp
#include <iostream> #include <algorithm> #include <vector> using namespace std; int main() { int N, L; vector<string> S; cin >> N >> L; string ans = ""; for (int i = 0; i < N; ++i) { string s; cin >> s; S.push_back(s); } sort(S.begin(), S.end()); for (int i = 0; i < N; ++i) { ans += S[i]; } cout << ans << endl; }
[ "yokotukanao@me.com" ]
yokotukanao@me.com
47af09cfa97273aad21b1ff8ef0d03a2bbace2d3
957ec9f49b366985df28ec087ff0e3fdd04dd14a
/Kernel/stdMsgpc16pl16.cpp
7387c2bd7b2b979cdf78b424d2dc8cb8e4495a19
[]
no_license
curuggeng/mrkmir1
8cf3af108ecb91e6af9190f68012ccbaef724698
51bf2ada2e1afa8bf4f773b75d12e4cf74933ccf
refs/heads/master
2023-03-15T06:58:09.516849
2021-03-03T16:44:55
2021-03-03T16:44:55
344,195,097
0
0
null
null
null
null
UTF-8
C++
false
false
14,496
cpp
// ************************************************************************** // standardMsg.cpp - description // ------------------- // begin : Tue Jun 20 2000 // coded by : Ivan Velikic // email : ivelikic@yahoo.com // Description: // This file contains code for absract class MessageInterface, which is parrent of all // message handling classes. It defines interface which all claasses has to have, // but can extend it. // In this file is also code for stdMsg_pc16_pl16 which defines lokal format of // massages and parameters. Message coded is only in header, while parameters are // coded as one byte type, one byte length and after length is parameter. In length // of parameter byte for code and byte for length are not included // ************************************************************************** // #include <string.h> #include <assert.h> #include "errorObject.h" #include "../kernel/stdMsgpc16pl16.h" // Function: Constructor // Parameters: none // Return value: none // Description: // Initalizes Standard Message interface stdMsg_pc16_pl16::stdMsg_pc16_pl16() : MessageInterface() { CurrentOffset = 0; } stdMsg_pc16_pl16::~stdMsg_pc16_pl16() { } // Function: Constructor // Parameters: // (in) uint8 paramCode - code of serched parameter // Return value: // uint8 * - pointer on wanted parameter, if parameter is not found, returns NULL. // Description: // Serach for given parameter in current message. If parameter is found pointer on // it is returned, if not, NULL pointer is returned. CurrentOffset paramter is set // to point on paramter if parameter is found. If paramter is not found CurrentOffset // is zero. uint8 *stdMsg_pc16_pl16::FindParam(uint32 paramCode, uint32 startOffset) { uint8 *tmp; assert(CurrentMessage != 0); CurrentOffset = startOffset; uint32 length = (uint32)(GetMsgInfoLength() + MSG_HEADER_LENGTH); if(length == MSG_HEADER_LENGTH) return 0; tmp = CurrentMessage + MSG_INFO+CurrentOffset; while( GetUint16(tmp) != 0) { CurrentOffset += GetUint16(tmp+PARAM_LENGTH_OFFSET)+ PARAM_HEADER_LENGTH; if( GetUint16(tmp) == paramCode) return tmp; tmp += GetUint16(tmp+PARAM_LENGTH_OFFSET)+PARAM_HEADER_LENGTH; assert( CurrentOffset<length ); } CurrentOffset = 0; return NULL; } // Function: FindParamPlace // Parameters: // (in) uint8 paramCode - code of serched parameter // Return value: // uint8 * - pointer on wanted parameter, if parameter is not found, returns NULL. // Description: // Serach for place of new parameter in Newmessage. This function is used before adding // new parameter in message to find place where it should be set. CurrentOffset paramter // is set to point on paramter if parameter is found. uint8 *stdMsg_pc16_pl16::FindParamPlace(uint32 paramCode, uint32 startOffset ) { uint8 *tmp; assert(NewMessage != 0); uint32 length = (uint32)GetNewMsgInfoLength(); tmp = NewMessage + MSG_INFO; CurrentOffset = startOffset; if(length == 0) { SetENDOfParams(); } while( GetUint16(tmp)) { if(GetUint16(tmp) > paramCode) return tmp; CurrentOffset += GetUint16(tmp+PARAM_LENGTH_OFFSET)+PARAM_HEADER_LENGTH; tmp += GetUint16(tmp+PARAM_LENGTH_OFFSET)+PARAM_HEADER_LENGTH; assert( CurrentOffset<length ); } return tmp; } // Function: GetParam // Parameters: // (in) uint8 paramCode - code of serched parameter // Return value: // uint8 * - pointer on wanted parameter, if parameter is not found, returns NULL. // Description: // Returns pointer on paramter if it exits in current message, if the parameter does not // exits in current message it returns NULL pointer. uint8 *stdMsg_pc16_pl16::GetParam(uint32 paramCode) { return FindParam(paramCode); } // Function: GetParam // Parameters: // (in) uint8 paramCode - code of serched parameter // Return value: // uint8 * - pointer on wanted parameter, if parameter is not found, returns NULL. // Description: // Returns pointer on paramter if it exits in current message, if the parameter does not // exits in current message it returns NULL pointer. uint8 *stdMsg_pc16_pl16::GetParam(uint32 paramCode, uint32 &paramLen) { uint8 *tmp; tmp = FindParam(paramCode); if(tmp == NULL) { paramLen = 0; } else { paramLen = GetUint16(tmp+PARAM_LENGTH_OFFSET);//Ilija tmp = tmp+PARAM_HEADER_LENGTH; } return tmp; } // Function: GetParamByte // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) BYTE &param - refernce on byte through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first byte of parameter, usualy used when paramter is only one byte long. // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetParamByte(uint32 paramCode, BYTE &param) { uint8 *tmp = FindParam(paramCode); if(tmp == NULL) return false; param = *(tmp+PARAM_HEADER_LENGTH); return true; } // Function: GetParamWord // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) WORD &param - refernce on word through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first word of paramter, usualy used when paramter is two bytes long // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetParamWord(uint32 paramCode, WORD &param) { uint8 *tmp = FindParam(paramCode); if(tmp == NULL) return false; param = GetUint16(tmp+PARAM_HEADER_LENGTH); return true; } // Function: GetParamDWord // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) WORD &param - refernce on dword through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first dword of paramter, usualy used when paramter is two bytes long // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetParamDWord(uint32 paramCode, DWORD &param) { uint8 *tmp = FindParam(paramCode); if(tmp == NULL) return false; param = GetUint32(tmp+PARAM_HEADER_LENGTH); return true; } uint8 *stdMsg_pc16_pl16::GetNextParam(uint32 paramCode) { return FindParam(paramCode, CurrentOffset); } uint8 *stdMsg_pc16_pl16::GetNextParam(uint32 paramCode, uint32 &paramLen) { uint8 *tmp; tmp = FindParam(paramCode, CurrentOffset); if(tmp == NULL) { paramLen = 0; } else { paramLen = *(tmp+PARAM_LENGTH_OFFSET); tmp = tmp+PARAM_HEADER_LENGTH; } return tmp; } // Function: GetParamByte // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) BYTE &param - refernce on byte through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first byte of parameter, usualy used when paramter is only one byte long. // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetNextParamByte(uint32 paramCode, BYTE &param) { uint8 *tmp = FindParam(paramCode, CurrentOffset); if(tmp == NULL) return false; param = *(tmp+PARAM_HEADER_LENGTH); return true; } // Function: GetParamWord // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) WORD &param - refernce on word through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first word of paramter, usualy used when paramter is two bytes long // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetNextParamWord(uint32 paramCode, WORD &param) { uint8 *tmp = FindParam(paramCode, CurrentOffset); if(tmp == NULL) return false; param = GetUint16(tmp+PARAM_HEADER_LENGTH); return true; } // Function: GetParamDWord // Parameters: // (in) uint8 paramCode - code of serched parameter // (out) WORD &param - refernce on dword through which value of paramter is returned // Return value: // bool - true if paramter is found, false if not. // Description: // Returns first dword of paramter, usualy used when paramter is two bytes long // Paramter is returned through refernce parameter. Function return is true if parameter // is found othervise function returns false. bool stdMsg_pc16_pl16::GetNextParamDWord(uint32 paramCode, DWORD &param) { uint8 *tmp = FindParam(paramCode, CurrentOffset); if(tmp == NULL) return false; param = GetUint32(tmp+PARAM_HEADER_LENGTH); return true; } // Function: AddParam // Parameters: // (in) uint8 *param - pointer on parameter coded as one byte code of paramtere, one byte // length, then parameter // Return value: // uint8 * - pointer on new message // Description: // Adds paramtere in current new message, it adds paramtere in place where it should be, // all parameters are sorted in accesiding order. Function returns pointer on message. uint8 *stdMsg_pc16_pl16::AddParam(uint8 *param) { return AddParam(GetUint16(param), GetUint16(param+PARAM_LENGTH_OFFSET), param+PARAM_HEADER_LENGTH); } // Function: AddParam // Parameters: // (in) uint8 paramCode - code of paramere to be added // (in) uint8 paramLength - length of parameter to be added // (in) uint8 *param - pointer on parameter // Return value: // uint8 * - pointer on new message // Description: // Adds paramtere in current new message, it adds paramtere in place where it should be, // all parameters are sorted in accesiding order. Function returns pointer on message. uint8 *stdMsg_pc16_pl16::AddParam(uint32 paramCode, uint32 paramLength, uint8 *param) { //find where to put parameter, it sets the CurrentOffset where to put //parameter //find where to put parameter, it sets the CurrentOffset where to put //parameter uint8 *tmp = FindParamPlace(paramCode); //copy rest of the message where it is going to be //tmp += CurrentOffset + MSG_HEADER_LENGTH; memmove(tmp+paramLength+PARAM_HEADER_LENGTH, tmp, GetNewMsgInfoLength()-CurrentOffset); //copy new parameter in middle SetUint16(tmp, (uint16)paramCode); SetUint16(tmp+PARAM_LENGTH_OFFSET, (uint16)paramLength); // *tmp = (uint8) paramCode; // *(tmp+PARAM_LENGTH_OFFSET) = (uint8) paramLength; memmove(tmp+PARAM_HEADER_LENGTH, param, paramLength); SetMsgInfoLength(GetNewMsgInfoLength() + (uint16)paramLength+PARAM_HEADER_LENGTH); //if for some reason last paramter is not zero (end of parameters, set it) // if(NewMessage[GetNewMsgInfoLength() +MSG_HEADER_LENGTH] != 0) { // NewMessage[GetNewMsgInfoLength() + MSG_HEADER_LENGTH] = 0; // SetMsgInfoLength((uint16)(GetNewMsgInfoLength() +1)); // } return NewMessage; } // Function: AddParamByte // Parameters: // (in) uint8 paramCode - code of paramere to be added // (in) BYTE param - parameter to be added in message // Return value: // uint8 * - pointer on new message // Description: // Adds parameter one byte long in current new message, it adds paramtere in place where // it should be, all parameters are sorted in accesiding order. Function returns pointer // on message. uint8 *stdMsg_pc16_pl16::AddParamByte(uint32 paramCode, BYTE param) { return AddParam(paramCode, 1, &param); } // Function: AddParamWord // Parameters: // (in) uint8 paramCode - code of paramere to be added // (in) WORD param - parameter to be added in message // Return value: // uint8 * - pointer on new message // Description: // Adds parameter two bytes long in current new message, it adds paramtere in place where // it should be, all parameters are sorted in accesiding order. Function returns pointer // on message. uint8 *stdMsg_pc16_pl16::AddParamWord(uint32 paramCode, WORD param) { return AddParam(paramCode, 2, (uint8 *)(&param)); } // Function: AddParamDWord // Parameters: // (in) uint8 paramCode - code of paramere to be added // (in) DWORD param - parameter to be added in message // Return value: // uint8 * - pointer on new message // Description: // Adds parameter four bytes long in current new message, it adds paramtere in place where // it should be, all parameters are sorted in accesiding order. Function returns pointer // on message. uint8 *stdMsg_pc16_pl16::AddParamDWord(uint32 paramCode, DWORD param) { return AddParam(paramCode, 4, (uint8 *)(&param)); } // Function: RemoveParam // Parameters: // (in) uint8 paramCode - code of paramere to be added // Return value: // bool - returns true if parameter is removed, returns false if there is no such parameter // in message // Description: // Removes parameter from new message. If prameter is found and removed it returns true, if // there is no such paramter in message it returns false. Paramter End Of Parameters (zero) // should not be removed. In debug version it is prohibited in release version it is not. bool stdMsg_pc16_pl16::RemoveParam(uint32 paramCode) { assert( NewMessage != NULL); assert( paramCode != 0); uint8 *tmp = FindParamPlace(paramCode); if(GetUint16(tmp) != paramCode) return false; SetMsgInfoLength((uint16)(GetNewMsgInfoLength() -2 - GetUint16(tmp+PARAM_LENGTH_OFFSET)) ); memmove(tmp, tmp+ GetUint16(tmp+PARAM_LENGTH_OFFSET)+PARAM_HEADER_LENGTH, GetNewMsgInfoLength()-CurrentOffset -PARAM_HEADER_LENGTH - GetUint16(tmp+PARAM_LENGTH_OFFSET)); return true; } void stdMsg_pc16_pl16::SetENDOfParams(){ SetUint16( NewMessage+GetNewMsgInfoLength() + MSG_HEADER_LENGTH,0); SetMsgInfoLength((uint16)(GetNewMsgInfoLength()+PARAM_LENGTH_OFFSET)); }
[ "mdelic1998@gmail.com" ]
mdelic1998@gmail.com
7d32c3aec800742c9950a4547a58f9c4b650af4e
0347419bdc28fea923ab1a362ade269f7c60f2fd
/RandomQuestion/C_Divisibility_by_Eight.cpp
7eaf127a826e43b92445f5b340d0c2c51e65b8e0
[]
no_license
amit-haritwal/competitive
198d0ac857eaba7b73ca6100ed1d5f85e0b23115
640d65b4abf96cfe00c03b06c2715fbf620e5391
refs/heads/main
2023-07-16T09:01:53.023933
2021-08-23T05:50:43
2021-08-23T05:50:43
323,053,897
0
1
null
2021-08-23T05:50:44
2020-12-20T11:16:52
C++
UTF-8
C++
false
false
1,644
cpp
#include <iostream> #include <string> #include <vector> #include <algorithm> #include <sstream> #include <queue> #include <deque> #include <bitset> #include <iterator> #include <list> #include <stack> #include <map> #include <set> #include <functional> #include <numeric> #include <utility> #include <limits> #include <time.h> #include <math.h> #include <stdio.h> #include <string.h> #include <stdlib.h> #include <assert.h> using namespace std; #define rep(i, a, b) for (ll i = a; i < b; i++) #define res(i, a, b) for (ll i = a; i >= b; i--) #define all(n) n.begin(), n.end() #define mod 1000000007 typedef long long ll; const long long INF = 1e18 + 42; // vector<ll> primes(10005, 1); template <typename T> void pop_front(std::vector<T> &vec) { assert(!vec.empty()); vec.erase(vec.begin()); } bool compPairF(pair<ll, ll> v1, pair<ll, ll> v2) { return v1.first < v2.first; } bool compPairS(pair<ll, ll> v1, pair<ll, ll> v2) { return v1.second < v2.second; } //void sieveWithCount(ll n) //{ // vector<bool> v1(n, 1); // for (ll i = 2; i * i < n; i++) // { // if (primes[i] != 0) // { // for (ll j = i * i; j < n; j = j + i) // { // primes[j] = 0; // } // } // } //} ll gcd(ll a, ll b) { if (b == 0) { return a; } else { return gcd(b, a % b); } } ll power(ll x, ll y) { ll temp; if (y == 0) return 1; temp = power(x, y / 2); if (y % 2 == 0) return temp * temp; else return x * temp * temp; } void sol() { string num; cin>>num; } int main() { ios_base::sync_with_stdio(false); cin.tie(NULL); int a = 1; // cin >>a; while (a--) { sol(); } }
[ "amitharitwal02@gmail.com" ]
amitharitwal02@gmail.com
bd194ecf8b9394c736281ff085f93325865160d4
ec89e41ca41970c0704a80544f5f579f3fc42cb3
/internal/platform/implementation/windows/file_path.cc
8a5f9d0a09cfb9b0fa8067d4d371a1dadf2e2f8c
[ "Apache-2.0" ]
permissive
google/nearby
0feeea41a96dd73d9d1b8c06e101622411e770c5
55194622a7b7e9066f80f90675b06eb639612161
refs/heads/main
2023-08-17T01:36:13.900851
2023-08-17T01:11:43
2023-08-17T01:13:11
258,325,401
425
94
Apache-2.0
2023-09-14T16:40:13
2020-04-23T20:41:37
C++
UTF-8
C++
false
false
8,944
cc
// Copyright 2022 Google LLC // // 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 // // https://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 "internal/platform/implementation/windows/file_path.h" #include <windows.h> #include <winver.h> #include <PathCch.h> #include <knownfolders.h> #include <psapi.h> #include <shlobj.h> #include <shlwapi.h> #include <strsafe.h> #include <algorithm> #include <cctype> #include <fstream> #include <iterator> #include <string> #include <vector> #include "absl/strings/str_cat.h" #include "internal/platform/implementation/windows/utils.h" #include "internal/platform/logging.h" namespace nearby { namespace windows { const wchar_t* kUpOneLevel = L"/.."; constexpr wchar_t kPathDelimiter = L'/'; constexpr wchar_t kReplacementChar = L'_'; constexpr wchar_t kForwardSlash = L'/'; constexpr wchar_t kBackSlash = L'\\'; wchar_t const* kForbiddenPathNames[] = { L"CON", L"PRN", L"AUX", L"NUL", L"COM1", L"COM2", L"COM3", L"COM4", L"COM5", L"COM6", L"COM7", L"COM8", L"COM9", L"LPT1", L"LPT2", L"LPT3", L"LPT4", L"LPT5", L"LPT6", L"LPT7", L"LPT8", L"LPT9"}; std::wstring FilePath::GetCustomSavePath(std::wstring parent_folder, std::wstring file_name) { std::wstring path; path += parent_folder + kPathDelimiter + file_name; return CreateOutputFileWithRename(path); } std::wstring FilePath::GetDownloadPath(std::wstring parent_folder, std::wstring file_name) { return CreateOutputFileWithRename( GetDownloadPathInternal(parent_folder, file_name)); } std::wstring FilePath::GetDownloadPathInternal(std::wstring parent_folder, std::wstring file_name) { PWSTR basePath; // Retrieves the full path of a known folder identified by the folder's // KNOWNFOLDERID. // https://docs.microsoft.com/en-us/windows/win32/api/shlobj_core/nf-shlobj_core-shgetknownfolderpath SHGetKnownFolderPath( /*rfid=*/FOLDERID_Downloads, /*dwFlags=*/0, /*hToken=*/nullptr, /*ppszPath=*/&basePath); std::wstring wide_path(basePath); std::replace(wide_path.begin(), wide_path.end(), kBackSlash, kForwardSlash); // If parent_folder starts with a \\ or /, then strip it while (!parent_folder.empty() && (*parent_folder.begin() == kBackSlash || *parent_folder.begin() == kForwardSlash)) { parent_folder.erase(0, 1); } // If parent_folder ends with a \\ or /, then strip it while (!parent_folder.empty() && (*parent_folder.rbegin() == kBackSlash || *parent_folder.rbegin() == kForwardSlash)) { parent_folder.erase(parent_folder.size() - 1, 1); } // If file_name starts with a \\, then strip it while (!file_name.empty() && (*file_name.begin() == kBackSlash || *file_name.begin() == kForwardSlash)) { file_name.erase(0, 1); } // If file_name ends with a \\, then strip it while (!file_name.empty() && (*file_name.rbegin() == kBackSlash || *file_name.rbegin() == kForwardSlash)) { file_name.erase(file_name.size() - 1, 1); } CoTaskMemFree(basePath); std::wstring path; if (parent_folder.empty()) { path = file_name.empty() ? wide_path : wide_path + kForwardSlash + file_name; } else { path = file_name.empty() ? wide_path + kForwardSlash + parent_folder : wide_path + kForwardSlash + parent_folder + kForwardSlash + file_name; } // Convert to UTF8 format. return path; } // If the file already exists we add " (x)", where x is an incrementing number, // starting at 1, using the next non-existing number, to the file name, just // before the first dot, or at the end if no dot. The absolute path is returned. std::wstring FilePath::CreateOutputFileWithRename(std::wstring path) { std::wstring sanitized_path(path); // Replace any \\ with / std::replace(sanitized_path.begin(), sanitized_path.end(), kBackSlash, kForwardSlash); // Remove any /..'s SanitizePath(sanitized_path); auto last_delimiter = sanitized_path.find_last_of(kPathDelimiter); std::wstring folder(sanitized_path.substr(0, last_delimiter)); std::wstring file_name(sanitized_path.substr(last_delimiter)); // Locate the last dot auto first = file_name.find_last_of('.'); if (first == std::string::npos) { first = file_name.size(); } // Break the string at the dot. auto file_name1 = file_name.substr(0, first); auto file_name2 = file_name.substr(first); // Construct the target file name std::wstring target(sanitized_path); std::fstream file; // Open file as std::wstring file.open(target, std::fstream::binary | std::fstream::in); // While we successfully open the file, keep incrementing the count. int count = 0; while (!(file.rdstate() & std::ifstream::failbit)) { file.close(); target = (folder + file_name1 + L" (" + std::to_wstring(++count) + L")" + file_name2); file.clear(); file.open(target, std::fstream::binary | std::fstream::in); } if (count > 0) { NEARBY_LOGS(INFO) << "Renamed " << wstring_to_string(path) << " to " << wstring_to_string(target); } // The above leaves the file open, so close it. file.close(); return target; } std::wstring FilePath::MutateForbiddenPathElements(std::wstring& str) { std::vector<std::wstring> path_elements; std::wstring::iterator pos = str.begin(); std::wstring::iterator last = str.begin(); while (pos != str.end()) { last = pos; pos = std::find(pos, str.end(), kPathDelimiter); if (pos != str.end()) { std::wstring path_element = std::wstring(last, pos); if (path_element.length() > 0) path_elements.push_back(path_element); last = ++pos; } } std::wstring lastToken = std::wstring(last, pos); if (lastToken.length() > 0) path_elements.push_back(lastToken); std::wstring processed_path; for (auto& path_element : path_elements) { auto tmp_path_element = path_element; std::transform(tmp_path_element.begin(), tmp_path_element.end(), tmp_path_element.begin(), [](wchar_t c) { return std::toupper(c); }); std::vector<std::wstring> forbidden(std::begin(kForbiddenPathNames), std::end(kForbiddenPathNames)); while (std::find(forbidden.begin(), forbidden.end(), tmp_path_element) != forbidden.end()) { tmp_path_element.insert(tmp_path_element.begin(), kReplacementChar); NEARBY_LOGS(INFO) << "Renamed path element " << wstring_to_string(path_element) << " to " << wstring_to_string(tmp_path_element); path_element.insert(path_element.begin(), kReplacementChar); } processed_path += path_element; if (&path_element != &path_elements.back()) { processed_path += kPathDelimiter; } } return processed_path; } void FilePath::SanitizePath(std::wstring& path) { size_t pos = std::wstring::npos; // Search for the substring in string in a loop until nothing is found while ((pos = path.find(kUpOneLevel)) != std::string::npos) { // If found then erase it from string path.erase(pos, wcslen(kUpOneLevel)); } path = MutateForbiddenPathElements(path); ReplaceInvalidCharacters(path); } char kIllegalFileCharacters[] = {'?', '*', '\'', '<', '>', '|', ':'}; void FilePath::ReplaceInvalidCharacters(std::wstring& path) { auto it = path.begin(); it += 2; // Skip the 'C:' or any other drive specifier for (; it != path.end(); it++) { // If 0 < character < 32, it's illegal, replace it if (*it > 0 && *it < 32) { NEARBY_LOGS(INFO) << "In path " << wstring_to_string(path) << " replaced \'" << std::string(1, *it) << "\' with \'" << std::string(1, kReplacementChar); *it = kReplacementChar; } for (auto illegal_character : kIllegalFileCharacters) { if (*it == illegal_character) { NEARBY_LOGS(INFO) << "In path " << wstring_to_string(path) << " replaced \'" << std::string(1, *it) << "\' with \'" << std::string(1, kReplacementChar); *it = kReplacementChar; } } } } } // namespace windows } // namespace nearby
[ "copybara-worker@google.com" ]
copybara-worker@google.com
cf79fb1bad694d3ae01d669703d710c4ff2aff25
124e99c5fd49201d597b53760a39b40e5a2947d7
/matrixPath.cpp
a380c1113b35061910ae3dd0376e3801377f78dd
[]
no_license
RuntimeTerror-404/DSA-ONE
596a2b44197c01e0a61d2b5c35d1a6a4b7ab2666
8e4cfde1ce7d13eec2e9672e9184a0ecb4a6a3a7
refs/heads/master
2023-08-26T09:32:29.865518
2021-11-03T18:05:54
2021-11-03T18:05:54
415,815,443
1
0
null
null
null
null
UTF-8
C++
false
false
433
cpp
#include <bits/stdc++.h> using namespace std; int totalPaths(int row, int col) { if (row == 1 || col == 1) { return 1; } return (totalPaths(row - 1, col) + totalPaths(row, col - 1)); } int main() { vector<vector<int>> matrix; // matrix = { // {1,0,2}, // {3,0,1}, // {5,1,4}, // {7,2,10} // }; int row, col; row = 3; col = 3; cout << totalPaths(row, col); }
[ "mohit1672002@gmail.com" ]
mohit1672002@gmail.com
fdf099d5d2bfd7d3bb6dd29e032e3ebd264f0861
93ceb30facd3ae9f4a6534fdb116993a0ffb03bb
/ModuleMining/ModuleMining.cc
b4889bd0e57f000798efd877b3f72d481e44b839
[]
no_license
zejunwang1/old_repo
7777f2c4258f06300377d637361c20f8bfbb0e0f
ae81c4e6c76728da8d84efec95039be7ad888465
refs/heads/main
2023-07-16T19:43:46.212444
2021-09-03T03:41:04
2021-09-03T03:41:04
401,906,845
1
0
null
null
null
null
UTF-8
C++
false
false
54,215
cc
#include <iostream> #include <fstream> #include <stdio.h> #include <string> #include "stdlib.h" #include "time.h" #include "math.h" #include "predictHRG.h" #include "fastcommunity.h" struct ioparameters { string d_dir; string filename; string initGroup; string f_input; string f_edgeRank; string f_joins; string f_support; string f_net; string f_group; string f_gstats; string s_scratch; }; ioparameters ioparm; void buildFilenames(); bool markovChainMonteCarlo(); bool MCMCEquilibrium_Find(); bool MCMCEquilibrium_Sample(); bool readPairsFile(); void recordPredictions(); void rankCandidatesByProbability(); void thisTest_Setup(); void thisTest_Cleanup(); bool parseCommandLine(int argc, char * argv[]); int predictLinkStrength(); int findCommunity(); void buildDeltaQMatrix(); void dqSupport(); void groupListsSetup(); void groupListsStats(); void groupListsUpdate(const int x, const int y); void mergeCommunities(int i, int j); void readInputFile(); void recordGroupLists(); void recordNetwork(); int findGroup(int x); bool createInitGroup(double thresh); bool outfileCopy(); char pauseme; double QMAX; double thresh; int aa,bb,ga,gb; int main(int argc, char *argv[]) { if (parseCommandLine(argc, argv)) {} else { return 0; } cout << "\nimporting: " << ioparm.filename.c_str() << endl; buildFilenames(); predictLinkStrength(); QMAX = 0; thresh = 0.5; ioc.timer = 20; ioc.fileFlag = NONE; ioc.suppFlag = false; ioc.textFlag = 0; time_t t1; t1 = time(&t1); time_t t2; t2 = time(&t2); cout << "\nExecute Fast Community Algorithm.\n"; readInputFile(); // gets adjacency matrix data for(int i=0;i<5;i++){ createInitGroup(thresh); findCommunity(); if(Qmax.y > QMAX) { outfileCopy(); QMAX = Qmax.y; } thresh = thresh + 0.10; delete[] a; delete[] Q; delete[] joins; } return 1; } void buildFilenames() { ioparm.f_input = ioparm.d_dir + ioparm.filename; ioparm.initGroup = ioparm.d_dir + "initinal_group.pairs"; ioparm.f_joins = ioparm.d_dir + ioparm.s_scratch + "-fc" + ".joins"; ioparm.f_support = ioparm.d_dir + ioparm.s_scratch + "-fc" + ".supp"; ioparm.f_net = ioparm.d_dir + ioparm.s_scratch + "-fc" + ".wpairs"; ioparm.f_group = ioparm.d_dir + ioparm.s_scratch + "-fc" + ".groups"; ioparm.f_gstats = ioparm.d_dir + ioparm.s_scratch + "-fc" + ".hist"; ioparm.f_edgeRank = ioparm.d_dir + ioparm.s_scratch + "-ranked" + ".pairs"; ioc.f_joins_temp = ioparm.d_dir + ioparm.s_scratch + "-temp" + ".joins"; ioc.f_support_temp = ioparm.d_dir + ioparm.s_scratch + "-temp" + ".supp"; ioc.f_net_temp = ioparm.d_dir + ioparm.s_scratch + "-temp" + ".wpairs"; ioc.f_group_temp = ioparm.d_dir + ioparm.s_scratch + "-temp" + ".groups"; ioc.f_gstats_temp = ioparm.d_dir + ioparm.s_scratch + "-temp" + ".hist"; return; } bool parseCommandLine(int argc, char * argv[]) { int argct = 1; string temp, ext; string::size_type pos; char **endptr; long along; int count; if(argc <= 1){ return false; } while (argct < argc) { temp = argv[argct]; if (temp == "-files") { return false; } else if (temp == "-f") { argct++; temp = argv[argct]; ext = ".pairs"; pos = temp.find(ext,0); if (pos == string::npos) { cout << " Error: Input file must have terminating .pairs extension.\n"; return false; } ext = "/"; count = 0; pos = string::npos; for (int i=0; i < temp.size(); i++) { if (temp[i] == '/') { pos = i; } } if (pos == string::npos) { ioparm.d_dir = ""; ioparm.filename = temp; } else { ioparm.d_dir = temp.substr(0, pos+1); ioparm.filename = temp.substr(pos+1,temp.size()-pos-1); } // now grab the filename sans extension for building outputs files for (int i=0; i < ioparm.filename.size(); i++) { if (ioparm.filename[i] == '.') { pos = i; } } ioparm.s_scratch = ioparm.filename.substr(0,pos); } else { cout << "Unknown commandline argument: " << argv[argct] << endl; } argct++; } return true; } int predictLinkStrength() { iop.n = 0; // DEFAULT VALUES for runtime parameters iop.timer = 20; // time_t t1 = time(&t1); // num_bins = 25; // num_samples = 10000; // default value int num_trials; d = new dendro; // create hrg data structure readPairsFile(); // read input .pairs file thisTest_Setup(); // setup the data structure for the test cout << ">> beginning convergence to equilibrium\n"; if (!(MCMCEquilibrium_Find())) { return 0; } // run it to equilibrium cout << "\n>> convergence critera met\n>> beginning sampling\n"; if (!(MCMCEquilibrium_Sample())) { return 0; } // sample likelihoods for missing connections cout << ">> sampling finished" << endl; rankCandidatesByProbability(); // rank-order the results recordPredictions(); // record predictions to file return 1; } // ******** Function Definitions ************************************************************************** bool MCMCEquilibrium_Find() { double dL, Likeli, oldMeanL, newMeanL; bool flag_taken, flag_eq; int t = 1; // We want to run the MCMC until we've found equilibrium; we use the heuristic of the // average log-likelihood (which is exactly the entropy) over X steps being very close // to the average log-likelihood (entropy) over the X steps that preceded those. In other // words, we look for an apparent local convergence of the entropy measure of the MCMC. cout << "\nstep \tLogL \tbest LogL\tMC step\n"; newMeanL = -1e49; flag_eq = false; bestL = d->getLikelihood(); while (!flag_eq) { oldMeanL = newMeanL; newMeanL = 0.0; for (int i=0; i<65536; i++) { if (!(d->monteCarloMove(dL, flag_taken))) { // Make a single MCMC move return false; } Likeli = d->getLikelihood(); // get likelihood of this D if (Likeli > bestL) { bestL = Likeli; } // store the current best likelihood newMeanL += Likeli; // Write some stuff to standard-out to describe the current state of things. if (t % 16384 == 1) { cout << "[" << t << "]- \t " << Likeli << " \t(" << bestL << ")\t"; if (flag_taken) { cout << "*\t"; } else { cout << " \t"; } cout << endl; } if (t > 2147483640 or t < 0) { t = 1; } else { t++; } } d->refreshLikelihood(); // correct floating-point errors O(n) // Check if localized entropy appears to have stabilized; if you want to use a // different convergence criteria, this is where you would change things. if (fabs(newMeanL - oldMeanL)/65536.0 < 1.0 and (t>10000*iop.n)) { flag_eq = true; } } return true; } // ******************************************************************************************************** bool MCMCEquilibrium_Sample() { double dL, Likeli; bool flag_taken; double ptest = (double)(4.0/(double)(iop.n)); int thresh = 100*iop.n; int t = 1; int sample_num = 0; // Because moves in the dendrogram space are chosen (Monte Carlo) so that we sample dendrograms // with probability proportional to their likelihood, a likelihood-proportional sampling of // the dendrogram models would be equivalent to a uniform sampling of the walk itself. We would // still have to decide how often to sample the walk (at most once every n steps is recommended) // but for simplicity, the code here simply runs the MCMC itself. To actually compute something // over the set of sampled dendrogram models (in a Bayesian model averaging sense), you'll need // to code that yourself. cout << "\nstep \tLogL \tbest LogL\tMC step\t% complete\n"; while (sample_num < num_samples) { for (int i=0; i<65536; i++) { // Make a single MCMC move if (!(d->monteCarloMove(dL, flag_taken))) { return false; } Likeli = d->getLikelihood(); // get this likelihood // We sample the dendrogram space every 1/ptest MCMC moves (on average). if (t > thresh and mtr.randExc() < ptest) { if(Likeli > bestL) { bestL = Likeli; } sample_num++; d->sampleAdjacencyLikelihoods(); // sample edge likelihoods if (sample_num > num_samples) { i = 65536; } } // Write some stuff to standard-out to describe the current state of things. if (t % 16384 == 1) { cout << "[" << t << "]+ \t " << Likeli << " \t(" << bestL << ")\t"; if (flag_taken) { cout << "*\t"; } else { cout << " \t"; } cout << (double)(sample_num)/(double)(num_samples) << endl; } if (t > 2147483640 or t < 0) { t = 1; } else { t++; } } d->refreshLikelihood(); // correct floating-point errors O(n) } return true; } // ******************************************************************************************************** void rankCandidatesByProbability() { char pauseme; cout << ">> candidates ranked by likelihood" << endl; // Get average probabilities for every candidate missing edge int mkk = 0; double temp; for (int i=0; i<iop.n; i++) { for (int j=i+1; j<iop.n; j++) { // if (g->getAdjacency(i,j) > 0.5) { // if [i][j] is a known edge // cout << "getting adjacency average (" << i << " " << j << ")\n"; temp = d->g->getAdjacencyAverage(i,j); // if (mkk > br_length) { cout << "ERROR: mkk = " << mkk << " > " << br_length << "\n"; cin >> pauseme; } br_list[mkk].L = temp*(1.0 + mtr.randExc()/1000.0); br_list[mkk].i = i; br_list[mkk].j = j; // cout << "br_list[" << mkk << "] = " << br_list[mkk].L << " " << br_list[mkk].i << " " << br_list[mkk].j << "\n"; mkk++; // } } } recordPredictions(); // record predictions to file // Sort the candidates by their average probability QsortMain(br_list,0,mk-1); return; } // ******************************************************************************************************** bool readPairsFile() { int n,m,s,f,a,b; n = m = 0; elementrb *item; time_t t1; t1 = time(&t1); time_t t2; t2 = time(&t2); // First, we scan through the input file to create a list of unique node names // (which we store in the namesLUT), and a count of the number of edges. cout << ">> input file scan ( " << ioparm.f_input << " )" << endl; cout << " edges: [0]"<<endl; ifstream fscan1(ioparm.f_input.c_str(), ios::in); while (fscan1 >> s >> f) { // read friendship pair (s,f) if (s != f) { m++; if (namesLUT.findItem(s) == NULL) { namesLUT.insertItem(s, n++); } if (namesLUT.findItem(f) == NULL) { namesLUT.insertItem(f, n++); } } if (t2-t1>iop.timer) { // check timer; if necessarsy, display cout << " edges: ["<<m<<"]"<<endl; t1 = t2; iop.flag_timer = true; // } // t2=time(&t2); // } fscan1.close(); cout << " edges: ["<<m<<"]"<<endl; iop.n = n; g = new simpleGraph (iop.n); // make new simpleGraph with n vertices d->g = new graph (iop.n); // make new graph with n vertices d->g->setAdjacencyHistograms(num_bins); // setup adjacency histograms // Then, we reparse the file and added edges to the graph m = 0; iop.flag_timer = false; // reset timer cout << ">> input file read ( " << ioparm.f_input << " )" << endl; cout << " edges: [0]"<<endl; ifstream fin(ioparm.f_input.c_str(), ios::in); while (fin >> s >> f) { m++; if (s != f) { item = namesLUT.findItem(s); a = item->value; item = namesLUT.findItem(f); b = item->value; if (!(g->doesLinkExist(a,b))) { if (!(g->addLink(a,b))) { cout << "Error: (" << s << " " << f << ")" << endl; } else if (g->getName(a) == "") { g->setName(a, num2str(s)); } } if (!(g->doesLinkExist(b,a))) { if (!(g->addLink(b,a))) { cout << "Error: (" << s << " " << f << ")" << endl; } else if (g->getName(b) == "") { g->setName(b, num2str(f)); } } if (!(d->g->doesLinkExist(a,b))) { if (!(d->g->addLink(a,b))) { cout << "Error: (" << s << " " << f << ")" << endl; } else if (d->g->getName(a) == "") { d->g->setName(a, num2str(s)); } } if (!(d->g->doesLinkExist(b,a))) { if (!(d->g->addLink(b,a))) { cout << "Error: (" << s << " " << f << ")" << endl; } else if (d->g->getName(b) == "") { d->g->setName(b, num2str(f)); } } } if (t2-t1>iop.timer) { // check timer; if necessarsy, display cout << " edges: ["<<m<<"]"<<endl; t1 = t2; iop.flag_timer = true; // } // t2=time(&t2); // } fin.close(); iop.m = g->getNumLinks(); // store actual number of directional edges created iop.n = g->getNumNodes(); // store actual number of nodes used cout << ">> edges: ["<<iop.m<<"]"<<endl; cout << "vertices: ["<<iop.n<<"]"<<endl; return true; } // ******************************************************************************************************** void recordPredictions() { cout << ">> exported predictions ( " << ioparm.f_edgeRank << " )" << endl; ofstream fx1(ioparm.f_edgeRank.c_str(),ios::trunc); for (int i=mk-1; i>=0; i--) { // fx1 << br_list[i].i << "\t" << br_list[i].j << "\t" << br_list[i].L << "\n"; // write-out internal names fx1 << g->getName(br_list[i].i) << "\t" << g->getName(br_list[i].j) << "\t" << br_list[i].L << "\n"; // write-out original names } fx1.close(); return; } // ******************************************************************************************************** void thisTest_Setup() { char pauseme; mk = iop.n*(iop.n-1)/2 - iop.m/2; // number of known edges br_length = mk; // store size of br_list array // cout << "br_length = " << br_length << "\n"; br_list = new pblock [mk]; // average likelihoods for each candidate d->buildDendrogram(); for (int i=0; i<mk; i++) { br_list[i].L = 0.0; br_list[i].i = -1; br_list[i].j = -1; // cout << "br_length[" << i << "] = " << br_list[i].L << " " << br_list[i].i << " " << br_list[i].i << "\n"; } // cout << "br_length = " << br_length << "\n"; return; } // ******************************************************************************************************** void thisTest_Cleanup() { if (br_list != NULL) { delete [] br_list; } br_list = NULL; d->g->resetAllAdjacencies(); // clear A' for next trial d->g->resetLinks(); // clear G' for next trial d->resetDendrograph(); // clear D' for next trial return; } // ******************************************************************************************************** // ******************************************************************************************************** int findCommunity() { a = new double [gparm.maxid]; Q = new double [gparm.n+1]; joins = new apair [gparm.n+1]; for (int i=0; i<gparm.maxid; i++) { a[i] = 0.0; } for (int i=0; i<gparm.n+1; i++) { Q[i] = 0.0; joins[i].x = 0; joins[i].y = 0; } int t = 1; Qmax.y = -4294967296.0; Qmax.x = 0; groupListsSetup(); // will need to track agglomerations cout << "now building initial dQ[]" << endl; buildDeltaQMatrix(); // builds dQ[] and h // initialize f_joins, f_support files ofstream fjoins(ioc.f_joins_temp.c_str(), ios::trunc); fjoins << -1 << "\t" << -1 << "\t" << Q[0] << "\t0\n"; fjoins.close(); cout << "\nimporting: " << ioparm.initGroup.c_str() << endl; ifstream fgroup(ioparm.initGroup.c_str(),ios::in); if (ioc.suppFlag) { ofstream fsupp(ioc.f_support_temp.c_str(), ios::trunc); dqSupport(); fsupp << 0 << "\t" << supportTot << "\t" << supportAve << "\t" << 0 << "\t->\t" << 0 << "\n"; fsupp.close(); } // ---------------------------------------------------------------------- // Start FastCommunity algorithm cout << "starting algorithm now." << endl; tuple dQmax, dmax1, *dmax2; int isupport, jsupport; dpair *list, *current; while (h->heapSize() > 2) { if(!fgroup.eof()) { fgroup>>aa>>bb; aa=aa+1; bb=bb+1; if((c[aa].valid == true) && (c[bb].valid == true)) { if(aa!=bb) { cout << "Q["<<t-1<<"] = "<<Q[t-1]; isupport = dq[aa].v->returnNodecount(); jsupport = dq[bb].v->returnNodecount(); list = dq[aa].v->returnTreeAsList(); current = list; while(current != NULL) { if(current->x == bb) { dQmax.m = current->y; break; } current = current->next; } if(!current) dQmax.m = -2.0*(a[aa]*a[bb]); if(isupport < jsupport) { dmax1 = dq[aa].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << aa << " -> " << bb << "\t"; cout << "(" << isupport << " -> " << jsupport << ")\n"; mergeCommunities(aa, bb); // merge community a into community b joins[t].x = aa; // record merge of a(x) into b(y) joins[t].y = bb; // } else { dmax1 = dq[bb].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << aa << " <- " << bb << "\t"; cout << "(" << isupport << " <- " << jsupport << ")\n"; mergeCommunities(bb, aa); // merge community b into community a joins[t].x = bb; // record merge of b(x) into a(y) joins[t].y = aa; // } } else continue; } else if((c[aa].valid == true) && (c[bb].valid == false)) { gb = findGroup(bb); if(aa!=gb) { cout << "Q["<<t-1<<"] = "<<Q[t-1]; isupport = dq[aa].v->returnNodecount(); jsupport = dq[gb].v->returnNodecount(); list = dq[aa].v->returnTreeAsList(); current = list; while(current != NULL) { if(current->x == gb) { dQmax.m = current->y; break; } current = current->next; } if(!current) dQmax.m = -2.0*a[aa]*a[gb]; if(isupport < jsupport) { dmax1 = dq[aa].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << aa << " -> " << gb << "\t"; cout << "(" << isupport << " -> " << jsupport << ")\n"; mergeCommunities(aa, gb); // merge community a into community gb joins[t].x = aa; // record merge of a(x) into gb(y) joins[t].y = gb; // } else { dmax1 = dq[gb].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << aa << " <- " << gb << "\t"; cout << "(" << isupport << " <- " << jsupport << ")\n"; mergeCommunities(gb, aa); // merge community gb into community a joins[t].x = gb; // record merge of b(x) into a(y) joins[t].y = aa; // } } else continue; } else if((c[aa].valid == false) && (c[bb].valid == true)) { ga = findGroup(aa); if(ga!=bb) { cout << "Q["<<t-1<<"] = "<<Q[t-1]; isupport = dq[ga].v->returnNodecount(); jsupport = dq[bb].v->returnNodecount(); list = dq[bb].v->returnTreeAsList(); current = list; while(current != NULL) { if(current->x == ga) { dQmax.m = current->y; break; } current = current->next; } if(!current) dQmax.m = -2.0*a[ga]*a[bb]; if(isupport < jsupport) { dmax1 = dq[ga].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << ga << " -> " << bb << "\t"; cout << "(" << isupport << " -> " << jsupport << ")\n"; mergeCommunities(ga, bb); // merge community a into community b joins[t].x = ga; // record merge of a(x) into b(y) joins[t].y = bb; // } else { dmax1 = dq[bb].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << ga << " <- " << bb << "\t"; cout << "(" << isupport << " <- " << jsupport << ")\n"; mergeCommunities(bb, ga); // merge community b into community a joins[t].x = bb; // record merge of b(x) into a(y) joins[t].y = ga; // } } else continue; } else { ga = findGroup(aa); gb = findGroup(bb); if(ga!=gb) { cout << "Q["<<t-1<<"] = "<<Q[t-1]; isupport = dq[ga].v->returnNodecount(); jsupport = dq[gb].v->returnNodecount(); list = dq[gb].v->returnTreeAsList(); current = list; while(current != NULL) { if(current->x == ga) { dQmax.m = current->y; break; } current = current->next; } if(!current) dQmax.m = -2.0*a[ga]*a[gb]; if(isupport < jsupport) { dmax1 = dq[ga].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << ga << " -> " << gb << "\t"; cout << "(" << isupport << " -> " << jsupport << ")\n"; mergeCommunities(ga, gb); // merge community a into community b joins[t].x = ga; // record merge of a(x) into b(y) joins[t].y = gb; // } else { dmax1 = dq[gb].v->returnMaxStored(); dmax2 = h->findItem(dmax1); h->deleteItem(dmax2); cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; cout << " join: " << ga << " <- " << gb << "\t"; cout << "(" << isupport << " <- " << jsupport << ")\n"; mergeCommunities(gb, ga); // merge community b into community a joins[t].x = gb; // record merge of b(x) into a(y) joins[t].y = ga; // } } else continue; } } else { // --------------------------------- // Find largest dQ dQmax = h->popMaximum(); // select maximum dQ_ij // convention: insert i into j if (dQmax.m < -4000000000.0) { break; } // no more joins possible cout << "Q["<<t-1<<"] = "<<Q[t-1]; // Merge the chosen communities cout << "\tdQ = " << dQmax.m << "\t |H| = " << h->heapSize() << "\n"; if (dq[dQmax.i].v == NULL || dq[dQmax.j].v == NULL) { cout << "WARNING: invalid join (" << dQmax.i << " " << dQmax.j << ") found at top of heap\n"; cin >> pauseme; } isupport = dq[dQmax.i].v->returnNodecount(); jsupport = dq[dQmax.j].v->returnNodecount(); if (isupport < jsupport) { cout << " join: " << dQmax.i << " -> " << dQmax.j << "\t"; cout << "(" << isupport << " -> " << jsupport << ")\n"; mergeCommunities(dQmax.i, dQmax.j); // merge community i into community j joins[t].x = dQmax.i; // record merge of i(x) into j(y) joins[t].y = dQmax.j; // } else { // cout << " join: " << dQmax.i << " <- " << dQmax.j << "\t"; cout << "(" << isupport << " <- " << jsupport << ")\n"; dq[dQmax.i].heap_ptr = dq[dQmax.j].heap_ptr; // take community j's heap pointer dq[dQmax.i].heap_ptr->i = dQmax.i; // mark it as i's dq[dQmax.i].heap_ptr->j = dQmax.j; // mark it as i's mergeCommunities(dQmax.j, dQmax.i); // merge community j into community i joins[t].x = dQmax.j; // record merge of j(x) into i(y) joins[t].y = dQmax.i; // } // } Q[t] = dQmax.m + Q[t-1]; // record Q(t) // --------------------------------- // Record join to file ofstream fjoins(ioc.f_joins_temp.c_str(), ios::app); // open file for writing the next join fjoins << joins[t].x-1 << "\t" << joins[t].y-1 << "\t"; // convert to external format if ((Q[t] > 0.0 && Q[t] < 0.0000000000001) || (Q[t] < 0.0 && Q[t] > -0.0000000000001)) { fjoins << 0.0; } else { fjoins << Q[t]; } fjoins << "\t" << t << "\n"; fjoins.close(); // Note that it is the .joins file which contains both the dendrogram and the corresponding // Q values. The file format is tab-delimited columns of data, where the columns are: // 1. the community which grows // 2. the community which was absorbed // 3. the modularity value Q after the join // 4. the time step value // --------------------------------- groupListsUpdate(joins[t].x, joins[t].y); if (dQmax.m > 0) { recordNetwork(); recordGroupLists(); groupListsStats(); } // --------------------------------- // Record the support data to file if (ioc.suppFlag) { dqSupport(); ofstream fsupp(ioc.f_support_temp.c_str(), ios::app); // time remaining support mean support support_i -- support_j fsupp << t << "\t" << supportTot << "\t" << supportAve << "\t" << isupport; if (isupport < jsupport) { fsupp << "\t->\t"; } else { fsupp << "\t<-\t"; } fsupp << jsupport << "\n"; fsupp.close(); } if (Q[t] > Qmax.y) { Qmax.y = Q[t]; Qmax.x = t; } t++; // increment time } // ------------- end community merging loop cout << "Q["<<t-1<<"] = "<<Q[t-1] << endl; return 1; } // ------------------------------------------------------------------------------------ // // ------------------------------------------------------------------------------------ // void buildDeltaQMatrix() { // Given that we've now populated a sparse (unordered) adjacency matrix e (e), // we now need to construct the intial dQ matrix according to the definition of dQ // which may be derived from the definition of modularity Q: // Q(t) = \sum_{i} (e_{ii} - a_{i}^2) = Tr(e) - ||e^2|| // thus dQ is // dQ_{i,j} = 2* ( e_{i,j} - a_{i}a_{j} ) // where a_{i} = \sum_{j} e_{i,j} (i.e., the sum over the ith row) // To create dQ, we must insert each value of dQ_{i,j} into a binary search tree, // for the jth column. That is, dQ is simply an array of such binary search trees, // each of which represents the dQ_{x,j} adjacency vector. Having created dQ as // such, we may happily delete the matrix e in order to free up more memory. // The next step is to create a max-heap data structure, which contains the entries // of the following form (value, s, t), where the heap-key is 'value'. Accessing the // root of the heap gives us the next dQ value, and the indices (s,t) of the vectors // in dQ which need to be updated as a result of the merge. // First we compute e_{i,j}, and the compute+store the a_{i} values. These will be used // shortly when we compute each dQ_{i,j}. edgem *current; double eij = (double)(0.5/gparm.m); // intially each e_{i,j} = 1/m for (int i=1; i<gparm.maxid; i++) { // for each row a[i] = 0.0; // if (e[i].so != 0) { // ensure it exists current = &e[i]; // grab first edge a[i] = eij; // initialize a[i] while (current->next != NULL) { // loop through remaining edges a[i] += eij; // add another eij current = current->next; // } Q[0] += -1.0*a[i]*a[i]; // calculate initial value of Q } } // now we create an empty (ordered) sparse matrix dq[] dq = new nodenub [gparm.maxid]; // initialize dq matrix for (int i=0; i<gparm.maxid; i++) { // dq[i].heap_ptr = NULL; // no pointer in the heap at first if (e[i].so != 0) { dq[i].v = new vektor(2+(int)floor(gparm.m*a[i])); } else { dq[i].v = NULL; } } h = new maxheap(gparm.n); // allocate max-heap of size = number of nodes // Now we do all the work, which happens as we compute and insert each dQ_{i,j} into // the corresponding (ordered) sparse vector dq[i]. While computing each dQ for a // row i, we track the maximum dQmax of the row and its (row,col) indices (i,j). Upon // finishing all dQ's for a row, we insert the tuple into the max-heap hQmax. That // insertion returns the itemaddress, which we then store in the nodenub heap_ptr for // that row's vector. double dQ; tuple dQmax; // for heaping the row maxes tuple* itemaddress; // stores address of item in maxheap for (int i=1; i<gparm.maxid; i++) { if (e[i].so != 0) { current = &e[i]; // grab first edge dQ = 2.0*(eij-(a[current->so]*a[current->si])); // compute its dQ dQmax.m = dQ; // assume it is maximum so far dQmax.i = current->so; // store its (row,col) dQmax.j = current->si; // dq[i].v->insertItem(i,current->si, dQ); // insert its dQ while (current->next != NULL) { // current = current->next; // step to next edge dQ = 2.0*(eij-(a[current->so]*a[current->si])); // compute new dQ if (dQ > dQmax.m) { // if dQ larger than current max dQmax.m = dQ; // replace it as maximum so far dQmax.j = current->si; // and store its (col) } dq[i].v->insertItem(i,current->si, dQ); // insert it into vector[i] } dq[i].heap_ptr = h->insertItem(dQmax); // store the pointer to its loc in heap } } // delete [] elist; // free-up adjacency matrix memory in two shots // delete [] e; // return; } // ------------------------------------------------------------------------------------ // returns the support of the dQ[] void dqSupport() { int total = 0; int count = 0; for (int i=0; i<gparm.maxid; i++) { if (dq[i].heap_ptr != NULL) { total += dq[i].v->returnNodecount(); count++; } } supportTot = total; supportAve = total/(double)count; return; } // ------------------------------------------------------------------------------------ void groupListsSetup() { listm *newList; c = new stub [gparm.maxid]; for (int i=0; i<gparm.maxid; i++) { if (e[i].so != 0) { // note: internal indexing newList = new listm; // create new community member newList->index = i; // with index i c[i].members = newList; // point ith community at newList c[i].size = 1; // point ith community at newList c[i].last = newList; // point last[] at that element too c[i].valid = true; // mark as valid community } } return; } // ------------------------------------------------------------------------------------ // function for computing statistics on the list of groups void groupListsStats() { gstats.numgroups = 0; gstats.maxsize = 0; gstats.minsize = gparm.maxid; double count = 0.0; for (int i=0; i<gparm.maxid; i++) { if (c[i].valid) { gstats.numgroups++; // count number of communities count += 1.0; if (c[i].size > gstats.maxsize) { gstats.maxsize = c[i].size; } // find biggest community if (c[i].size < gstats.minsize) { gstats.minsize = c[i].size; } // find smallest community // compute mean group size gstats.meansize = (double)(c[i].size)/count + (((double)(count-1.0)/count)*gstats.meansize); } } count = 0.0; gstats.sizehist = new double [gstats.maxsize+1]; for (int i=0; i<gstats.maxsize+1; i++) { gstats.sizehist[i] = 0; } for (int i=0; i<gparm.maxid; i++) { if (c[i].valid) { gstats.sizehist[c[i].size] += 1.0; // tabulate histogram of sizes count += 1.0; } } // convert histogram to pdf, and write it to disk for (int i=0; i<gstats.maxsize+1; i++) { gstats.sizehist[i] = gstats.sizehist[i]/count; } ofstream fgstat(ioc.f_gstats_temp.c_str(), ios::trunc); for (int i=gstats.minsize; i<gstats.maxsize+1; i++) { fgstat << i << "\t" << gstats.sizehist[i] << "\n"; } fgstat.close(); return; } // ------------------------------------------------------------------------------------ void groupListsUpdate(const int x, const int y) { c[y].last->next = c[x].members; // attach c[y] to end of c[x] c[y].last = c[x].last; // update last[] for community y c[y].size += c[x].size; // add size of x to size of y c[x].members = NULL; // delete community[x] c[x].valid = false; // c[x].size = 0; // c[x].last = NULL; // delete last[] for community x return; } // ------------------------------------------------------------------------------------ int findGroup(int x) { int i; listm *head,*current; for(i = 0; i < gparm.maxid; i++) { if(c[i].size > 1) { head = c[i].members; current = head; while(current!=NULL) { if(current->index == x) return i; current = current->next; } } } } // ------------------------------------------------------------------------------------ void mergeCommunities(int i, int j) { // To do the join operation for a pair of communities (i,j), we must update the dQ // values which correspond to any neighbor of either i or j to reflect the change. // In doing this, there are three update rules (cases) to follow: // 1. jix-triangle, in which the community x is a neighbor of both i and j // 2. jix-chain, in which community x is a neighbor of i but not j // 3. ijx-chain, in which community x is a neighbor of j but not i // // For the first two cases, we may make these updates by simply getting a list of // the elements (x,dQ) of [i] and stepping through them. If x==j, then we can ignore // that value since it corresponds to an edge which is being absorbed by the joined // community (i,j). If [j] also contains an element (x,dQ), then we have a triangle; // if it does not, then we have a jix-chain. // // The last case requires that we step through the elements (x,dQ) of [j] and update each // if [i] does not have an element (x,dQ), since that implies a ijx-chain. // // Let d([i]) be the degree of the vector [i], and let k = d([i]) + d([j]). The running // time of this operation is O(k log k) // // Essentially, we do most of the following operations for each element of // dq[i]_x where x \not= j // 1. add dq[i]_x to dq[j]_x (2 cases) // 2. remove dq[x]_i // 3. update maxheap[x] // 4. add dq[i]_x to dq[x]_j (2 cases) // 5. remove dq[j]_i // 6. update maxheap[j] // 7. update a[j] and a[i] // 8. delete dq[i] dpair *list, *current, *temp; tuple newMax; int t = 1; // -- Working with the community being inserted (dq[i]) // The first thing we must do is get a list of the elements (x,dQ) in dq[i]. With this // list, we can then insert each into dq[j]. // dq[i].v->printTree(); list = dq[i].v->returnTreeAsList(); // get a list of items in dq[i].v current = list; // store ptr to head of list if (ioc.textFlag>1) { cout << "stepping through the "<<dq[i].v->returnNodecount() << " elements of community " << i << endl; } // --------------------------------------------------------------------------------- // SEARCHING FOR JIX-TRIANGLES AND JIX-CHAINS -------------------------------------- // Now that we have a list of the elements of [i], we can step through them to check if // they correspond to an jix-triangle, a jix-chain, or the edge (i,j), and do the appropriate // operation depending. while (current!=NULL) { // insert list elements appropriately if (ioc.textFlag>1) { cout << endl << "element["<<t<<"] from dq["<<i<<"] is ("<<current->x<<" "<<current->y<<")" << endl; } // If the element (x,dQ) is actually (j,dQ), then we can ignore it, since it will // correspond to an edge internal to the joined community (i,j) after the join. if (current->x != j) { // Now we must decide if we have a jix-triangle or a jix-chain by asking if // [j] contains some element (x,dQ). If the following conditional is TRUE, // then we have a jix-triangle, ELSE it is a jix-chain. if (dq[j].v->findItem(current->x)) { // CASE OF JIX-TRIANGLE if (ioc.textFlag>1) { cout << " (0) case of triangle: e_{"<<current->x<<" "<<j<<"} exists" << endl; cout << " (1) adding ("<<current->x<<" "<<current->y<<") to dq["<<current->x<<"] as ("<<j<<" "<<current->y<<")"<<endl; } // We first add (x,dQ) from [i] to [x] as (j,dQ), since [x] essentially now has // two connections to the joined community [j]. if (ioc.textFlag>1) { cout << " (1) heapsize = " << dq[current->x].v->returnHeaplimit() << endl; cout << " (1) araysize = " << dq[current->x].v->returnArraysize() << endl; cout << " (1) vectsize = " << dq[current->x].v->returnNodecount() << endl; } dq[current->x].v->insertItem(current->x,j,current->y); // (step 1) // Then we need to delete the element (i,dQ) in [x], since [i] is now a // part of [j] and [x] must reflect this connectivity. if (ioc.textFlag>1) { cout << " (2) now we delete items associated with "<< i << " in dq["<<current->x<<"]" << endl; } dq[current->x].v->deleteItem(i); // (step 2) // After deleting an item, the tree may now have a new maximum element in [x], // so we need to check it against the old maximum element. If it's new, then // we need to update that value in the heap and reheapify. newMax = dq[current->x].v->returnMaxStored(); // (step 3) if (ioc.textFlag>1) { cout << " (3) and dq["<<current->x<<"]'s new maximum is (" << newMax.m <<" "<<newMax.j<< ") while the old maximum was (" << dq[current->x].heap_ptr->m <<" "<<dq[current->x].heap_ptr->j<<")"<< endl; } // if (newMax.m > dq[current->x].heap_ptr->m || dq[current->x].heap_ptr->j==i) { h->updateItem(dq[current->x].heap_ptr, newMax); if (ioc.textFlag>1) { cout << " updated dq["<<current->x<<"].heap_ptr to be (" << dq[current->x].heap_ptr->m <<" "<<dq[current->x].heap_ptr->j<<")"<< endl; } // } // Change suggested by Janne Aukia (jaukia@cc.hut.fi) on 12 Oct 2006 // Finally, we must insert (x,dQ) into [j] to note that [j] essentially now // has two connections with its neighbor [x]. if (ioc.textFlag>1) { cout << " (4) adding ("<<current->x<<" "<<current->y<<") to dq["<<j<<"] as ("<<current->x<<" "<<current->y<<")"<<endl; } dq[j].v->insertItem(j,current->x,current->y); // (step 4) } else { // CASE OF JIX-CHAIN // The first thing we need to do is calculate the adjustment factor (+) for updating elements. double axaj = -2.0*a[current->x]*a[j]; if (ioc.textFlag>1) { cout << " (0) case of jix chain: e_{"<<current->x<<" "<<j<<"} absent" << endl; cout << " (1) adding ("<<current->x<<" "<<current->y<<") to dq["<<current->x<<"] as ("<<j<<" "<<current->y+axaj<<")"<<endl; } // Then we insert a new element (j,dQ+) of [x] to represent that [x] has // acquired a connection to [j], which was [x]'d old connection to [i] dq[current->x].v->insertItem(current->x,j,current->y + axaj); // (step 1) // Now the deletion of the connection from [x] to [i], since [i] is now // a part of [j] if (ioc.textFlag>1) { cout << " (2) now we delete items associated with "<< i << " in dq["<<current->x<<"]" << endl; } dq[current->x].v->deleteItem(i); // (step 2) // Deleting that element may have changed the maximum element for [x], so we // need to check if the maximum of [x] is new (checking it against the value // in the heap) and then update the maximum in the heap if necessary. newMax = dq[current->x].v->returnMaxStored(); // (step 3) if (ioc.textFlag>1) { cout << " (3) and dq["<<current->x<<"]'s new maximum is (" << newMax.m <<" "<<newMax.j<< ") while the old maximum was (" << dq[current->x].heap_ptr->m <<" "<<dq[current->x].heap_ptr->j<<")"<< endl; } // if (newMax.m > dq[current->x].heap_ptr->m || dq[current->x].heap_ptr->j==i) { h->updateItem(dq[current->x].heap_ptr, newMax); if (ioc.textFlag>1) { cout << " updated dq["<<current->x<<"].heap_ptr to be (" << dq[current->x].heap_ptr->m <<" "<<dq[current->x].heap_ptr->j<<")"<< endl; } // } // Change suggested by Janne Aukia (jaukia@cc.hut.fi) on 12 Oct 2006 // Finally, we insert a new element (x,dQ+) of [j] to represent [j]'s new // connection to [x] if (ioc.textFlag>1) { cout << " (4) adding ("<<current->x<<" "<<current->y<<") to dq["<<j<<"] as ("<<current->x<<" "<<current->y+axaj<<")"<<endl; } dq[j].v->insertItem(j,current->x,current->y + axaj); // (step 4) } // if (dq[j].v->findItem(current->x)) } // if (current->x != j) temp = current; current = current->next; // move to next element delete temp; temp = NULL; t++; } // while (current!=NULL) // We've now finished going through all of [i]'s connections, so we need to delete the element // of [j] which represented the connection to [i] if (ioc.textFlag>1) { cout << endl; cout << " whoops. no more elements for community "<< i << endl; cout << " (5) now deleting items associated with "<<i<< " (the deleted community) in dq["<<j<<"]" << endl; } if (ioc.textFlag>1) { dq[j].v->printTree(); } dq[j].v->deleteItem(i); // (step 5) // We can be fairly certain that the maximum element of [j] was also the maximum // element of [i], so we need to check to update the maximum value of [j] that // is in the heap. newMax = dq[j].v->returnMaxStored(); // (step 6) if (ioc.textFlag>1) { cout << " (6) dq["<<j<<"]'s old maximum was (" << dq[j].heap_ptr->m <<" "<< dq[j].heap_ptr->j<< ")\t"<<dq[j].heap_ptr<<endl; } h->updateItem(dq[j].heap_ptr, newMax); if (ioc.textFlag>1) { cout << " dq["<<j<<"]'s new maximum is (" << dq[j].heap_ptr->m <<" "<< dq[j].heap_ptr->j<< ")\t"<<dq[j].heap_ptr<<endl; } if (ioc.textFlag>1) { dq[j].v->printTree(); } // --------------------------------------------------------------------------------- // SEARCHING FOR IJX-CHAINS -------------------------------------------------------- // So far, we've treated all of [i]'s previous connections, and updated the elements // of dQ[] which corresponded to neighbors of [i] (which may also have been neighbors // of [j]. Now we need to update the neighbors of [j] (as necessary) // Again, the first thing we do is get a list of the elements of [j], so that we may // step through them and determine if that element constitutes an ijx-chain which // would require some action on our part. list = dq[j].v->returnTreeAsList(); // get a list of items in dq[j].v current = list; // store ptr to head of list t = 1; if (ioc.textFlag>1) { cout << "\nstepping through the "<<dq[j].v->returnNodecount() << " elements of community " << j << endl; } while (current != NULL) { // insert list elements appropriately if (ioc.textFlag>1) { cout << endl << "element["<<t<<"] from dq["<<j<<"] is ("<<current->x<<" "<<current->y<<")" << endl; } // If the element (x,dQ) of [j] is not also (i,dQ) (which it shouldn't be since we've // already deleted it previously in this function), and [i] does not also have an // element (x,dQ), then we have an ijx-chain. if ((current->x != i) && (!dq[i].v->findItem(current->x))) { // CASE OF IJX-CHAIN // First we must calculate the adjustment factor (+). double axai = -2.0*a[current->x]*a[i]; if (ioc.textFlag>1) { cout << " (0) case of ijx chain: e_{"<<current->x<<" "<<i<<"} absent" << endl; cout << " (1) updating dq["<<current->x<<"] to ("<<j<<" "<<current->y+axai<<")"<<endl; } // Now we must add an element (j,+) to [x], since [x] has essentially now acquired // a new connection to [i] (via [j] absorbing [i]). dq[current->x].v->insertItem(current->x,j, axai); // (step 1) // This new item may have changed the maximum dQ of [x], so we must update it. newMax = dq[current->x].v->returnMaxStored(); // (step 3) if (ioc.textFlag>1) { cout << " (3) dq["<<current->x<<"]'s old maximum was (" << dq[current->x].heap_ptr->m <<" "<< dq[current->x].heap_ptr->j<< ")\t"<<dq[current->x].heap_ptr<<endl; } h->updateItem(dq[current->x].heap_ptr, newMax); if (ioc.textFlag>1) { cout << " dq["<<current->x<<"]'s new maximum is (" << dq[current->x].heap_ptr->m <<" "<< dq[current->x].heap_ptr->j<< ")\t"<<dq[current->x].heap_ptr<<endl; cout << " (4) updating dq["<<j<<"] to ("<<current->x<<" "<<current->y+axai<<")"<<endl; } // And we must add an element (x,+) to [j], since [j] as acquired a new connection // to [x] (via absorbing [i]). dq[j].v->insertItem(j,current->x, axai); // (step 4) newMax = dq[j].v->returnMaxStored(); // (step 6) if (ioc.textFlag>1) { cout << " (6) dq["<<j<<"]'s old maximum was (" << dq[j].heap_ptr->m <<" "<< dq[j].heap_ptr->j<< ")\t"<<dq[j].heap_ptr<<endl; } h->updateItem(dq[j].heap_ptr, newMax); if (ioc.textFlag>1) { cout << " dq["<<j<<"]'s new maximum is (" << dq[j].heap_ptr->m <<" "<< dq[j].heap_ptr->j<< ")\t"<<dq[j].heap_ptr<<endl; } } // (current->x != i && !dq[i].v->findItem(current->x)) temp = current; current = current->next; // move to next element delete temp; temp = NULL; t++; } // while (current!=NULL) // Now that we've updated the connections values for all of [i]'s and [j]'s neighbors, // we need to update the a[] vector to reflect the change in fractions of edges after // the join operation. if (ioc.textFlag>1) { cout << endl; cout << " whoops. no more elements for community "<< j << endl; cout << " (7) updating a["<<j<<"] = " << a[i] + a[j] << " and zeroing out a["<<i<<"]" << endl; } a[j] += a[i]; // (step 7) a[i] = 0.0; // --------------------------------------------------------------------------------- // Finally, now we need to clean up by deleting the vector [i] since we'll never // need it again, and it'll conserve memory. For safety, we also set the pointers // to be NULL to prevent inadvertent access to the deleted data later on. if (ioc.textFlag>1) { cout << "--> finished merging community "<<i<<" into community "<<j<<" and housekeeping.\n\n"; } delete dq[i].v; // (step 8) dq[i].v = NULL; // (step 8) dq[i].heap_ptr = NULL; // return; } // ------------------------------------------------------------------------------------ void readInputFile() { // temporary variables for this function int numnodes = 0; int numlinks = 0; int s,f,t; edgem **last; edgem *newedge; edgem *current; // pointer for checking edge existence bool existsFlag; // flag for edge existence time_t t1; t1 = time(&t1); time_t t2; t2 = time(&t2); // First scan through the input file to discover the largest node id. We need to // do this so that we can allocate a properly sized array for the sparse matrix // representation. cout << " scanning input file for basic information." << endl; cout << " edgecount: [0]"<<endl; ifstream fscan(ioparm.f_input.c_str(), ios::in); while (fscan >> s >> f) { // read friendship pair (s,f) numlinks++; // count number of edges if (f < s) { t = s; s = f; f = t; } // guarantee s < f if (f > numnodes) { numnodes = f; } // track largest node index if (t2-t1>ioc.timer) { // check timer; if necessarsy, display cout << " edgecount: ["<<numlinks<<"]"<<endl; t1 = t2; // ioc.timerFlag = true; // } // t2=time(&t2); // } fscan.close(); cout << " edgecount: ["<<numlinks<<"] total (first pass)"<<endl; gparm.maxid = numnodes+2; // store maximum index elist = new edgem [2*numlinks]; // create requisite number of edges int ecounter = 0; // index of next edge of elist to be used // Now that we know numnodes, we can allocate the space for the sparse matrix, and // then reparse the file, adding edges as necessary. cout << " allocating space for network." << endl; e = new edgem [gparm.maxid]; // (unordered) sparse adjacency matrix last = new edgem* [gparm.maxid]; // list of pointers to the last edge in each row numnodes = 0; // numnodes now counts number of actual used node ids numlinks = 0; // numlinks now counts number of bi-directional edges created ioc.timerFlag = false; // reset timer cout << " reparsing the input file to build network data structure." << endl; cout << " edgecount: [0]"<<endl; ifstream fin(ioparm.f_input.c_str(), ios::in); while (fin >> s >> f) { s++; f++; // increment s,f to prevent using e[0] if (f < s) { t = s; s = f; f = t; } // guarantee s < f numlinks++; // increment link count (preemptive) if (e[s].so == 0) { // if first edge with s, add s and (s,f) e[s].so = s; // e[s].si = f; // last[s] = &e[s]; // point last[s] at self numnodes++; // increment node count } else { // try to add (s,f) to s-edgelist current = &e[s]; // existsFlag = false; // while (current != NULL) { // check if (s,f) already in edgelist if (current->si==f) { // existsFlag = true; // link already exists numlinks--; // adjust link-count downward break; // } // current = current->next; // look at next edge } // if (!existsFlag) { // if not already exists, append it newedge = &elist[ecounter++]; // grab next-free-edge newedge -> so = s; // newedge -> si = f; // last[s] -> next = newedge; // append newedge to [s]'s list last[s] = newedge; // point last[s] to newedge } // } // if (e[f].so == 0) { // if first edge with f, add f and (f,s) e[f].so = f; // e[f].si = s; // last[f] = &e[f]; // point last[s] at self numnodes++; // increment node count } else { // try to add (f,s) to f-edgelist if (!existsFlag) { // if (s,f) wasn't in s-edgelist, then newedge = &elist[ecounter++]; // (f,s) not in f-edgelist newedge -> so = f; // newedge -> si = s; // last[f] -> next = newedge; // append newedge to [f]'s list last[f] = newedge; // point last[f] to newedge } // } existsFlag = false; // reset existsFlag if (t2-t1>ioc.timer) { // check timer; if necessarsy, display cout << " edgecount: ["<<numlinks<<"]"<<endl; t1 = t2; // ioc.timerFlag = true; // } // t2=time(&t2); // } cout << " edgecount: ["<<numlinks<<"] total (second pass)"<<endl; fin.close(); gparm.m = numlinks; // store actual number of edges created gparm.n = numnodes; // store actual number of nodes used return; } // ------------------------------------------------------------------------------------ // records the network as currently agglomerated void recordNetwork() { dpair *list, *current, *temp; ofstream fnet(ioc.f_net_temp.c_str(), ios::trunc); for (int i=0; i<gparm.maxid; i++) { if (dq[i].heap_ptr != NULL) { list = dq[i].v->returnTreeAsList(); // get a list of items in dq[i].v current = list; // store ptr to head of list while (current != NULL) { // source target weight (external representation) fnet << i-1 << "\t" << current->x-1 << "\t" << current->y << "\n"; temp = current; // clean up memory and move to next current = current->next; delete temp; } } } fnet.close(); return; } // ------------------------------------------------------------------------------------ // records the agglomerated list of indices for each valid community void recordGroupLists() { listm *current; ofstream fgroup(ioc.f_group_temp.c_str(), ios::trunc); for (int i=0; i<gparm.maxid; i++) { if (c[i].valid) { fgroup << "GROUP[ "<<i-1<<" ][ "<<c[i].size<<" ]\n"; // external format current = c[i].members; while (current != NULL) { fgroup << current->index-1 << "\n"; // external format current = current->next; } } } fgroup.close(); return; } // ------------------------------------------------------------------------------------ bool createInitGroup(double thresh) { int a,b; double p; ifstream fin(ioparm.f_edgeRank.c_str(),ios::in); ofstream fout(ioparm.initGroup.c_str(),ios::out); while(fin >> a >> b >> p) { if (p >= thresh) { fout << a << "\t" << b << "\n"; } else { break; } } return true; } // ------------------------------------------------------------------------------------ bool outfileCopy() { ifstream fjoinst(ioc.f_joins_temp.c_str(),ios::in); ifstream fnett(ioc.f_net_temp.c_str(),ios::in); ifstream fgroupt(ioc.f_group_temp.c_str(),ios::in); ifstream fgstatst(ioc.f_gstats_temp.c_str(),ios::in); ofstream fj(ioparm.f_joins.c_str(),ios::out); ofstream fn(ioparm.f_net.c_str(),ios::out); ofstream fgr(ioparm.f_group.c_str(),ios::out); ofstream fgs(ioparm.f_gstats.c_str(),ios::out); char ch; while(fjoinst.get(ch)) { fj << ch; } while(fnett.get(ch)) { fn << ch; } while(fgroupt.get(ch)) { fgr << ch; } while(fgstatst.get(ch)) { fgs << ch; } fjoinst.close();fnett.close();fgroupt.close();fgstatst.close(); fj.close();fn.close();fgr.close();fgs.close(); if(ioc.suppFlag) { ifstream fsupport(ioc.f_support_temp.c_str(),ios::in); ofstream fs(ioparm.f_support.c_str(),ios::out); while(fsupport.get(ch)) { fs << ch; } fsupport.close(); fs.close(); } return true; } // ------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------
[ "wangzejunscut@126.com" ]
wangzejunscut@126.com
4b60b4f1194921f4222be0a158bc3dff2f75bb11
2717b497e2bf4dbae2a726ec10334e200d46c3d9
/irstxor.cpp
a6fec75e7c0c41f8056cb7430f0f2cfaec6cc5e4
[]
no_license
piyush215j/Hacktoberfestmine
6933423647b3db38a6c9fb1aaad2037ae9137b47
6a207d699b63e21d2d67de42beb830fd58b5dd61
refs/heads/main
2023-08-20T18:33:18.283511
2021-10-20T13:33:22
2021-10-20T13:33:22
419,342,740
1
0
null
2021-10-20T13:31:11
2021-10-20T13:31:10
null
UTF-8
C++
false
false
362
cpp
#include<bits/stdc++.h> using namespace std; int main(){ ios_base::sync_with_stdio(false); cin.tie(NULL); // Your code goes here... long T,N,n1,n2; cin>>T; while(T--) { cin>>N; int d =(int)log2(N) + 1; n1 = (int)pow(2,d-1)-1; n2 = n1 xor N; cout<<n1*n2<<"\n"; } return 0; }
[ "noreply@github.com" ]
noreply@github.com
3ad303172e6815ebd560876b95fb89f68f060544
b87361bfd3255fef4d068cab79264efb80447c70
/include/io.h
4a0cf75688f7501dadb148774fd72fb66169f029
[]
no_license
SanjayGorur/Chess-Engine
69ec68a8b95f75ea724acc538fc99782a1fde803
658799a13d465b66b86af837e1ecfed4cfa1a0d0
refs/heads/master
2022-01-25T08:37:47.197625
2019-08-08T15:33:48
2019-08-08T15:33:48
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,654
h
/** * @file io.h * @brief Contains declarations of functions that print the various Engine data structures * @author Michael Lee * @date 1/9/2019 */ #ifndef IO_H #define IO_H #include "board.h" #include "move.h" #include "movelist.h" #include "searchinfo.h" #include <string> /** @brief Various functions to print out engine data structures */ namespace IO { /** * Dictionary to provide string representations of piecess */ const std::string PceChar = ".PNBRQKpnbrqk"; /** * Dictionary to provide string representations of sides */ const std::string SideChar = "wb-"; /** * Dictionary to provide string representations of ranks */ const std::string RankChar = "12345678"; /** * Dictionary to provide string representations of files */ const std::string FileChar = "abcdefgh"; /** * Dictionary to provide string representations of enPassant sq's */ const std::unordered_map<uint32_t, std::string> epstr = {{71,"a6"}, {72,"b6"}, {73,"c6"}, {74,"d6"}, {75,"e6"}, {76,"f6"}, {77,"g6"}, {78,"h6"}, {41,"a3"}, {42,"b3"}, {43,"c3"}, {44,"d3"}, {45,"e3"}, {46,"f3"}, {47,"g3"}, {48,"h3"}, {99, "None"}}; /** @brief Prints out the board to stdio. @param pos The current board state. @return None. */ void printBoard(const Board& pos) noexcept; /** @brief Prints out the bitboard to stdio. @param bb The bitboard to print. @return None. */ void printBitBoard(const uint64_t bb) noexcept; /** @brief Prints out the MoveList to stdio. @param list The MoveList to print. @return None. */ void printMoveList(const MoveList& list) noexcept; /** @brief Prints out the search details to stdio. @param info The engine's searchInfo struct @param curDepth The current search depth. @param bestScore The evaluation of the current board state @param pv The transposition table. @param pvMoves The length of the Pv line @param pos The current board state. @return None. */ void printSearchDetails(const SearchInfo& info, int32_t curDepth, int32_t bestScore, PvTable& pv, int32_t pvMoves) noexcept; /** @brief Prints out the best move stdio for the protocol manager. @param pos The current board state. @param info The engine's searchInfo struct. @param bestMove The best move that was found. @return None. */ void printBestMove(Board& pos, const SearchInfo& info, const Move& bestMove) noexcept; /** @brief Reads in a move string and converts it to the internal representation. @param input The move that was read in (e.g e2e4). @param pos The current board state. @return The internal representation of the input move. */ Move parseMove(std::string input, const Board& pos) noexcept; } #endif
[ "michaellee4@gmail.com" ]
michaellee4@gmail.com
08450308fd20fddfd1cd8d26f127a34a95e7e630
1c30e5fd0f56a7894d06d430f40aa2907382f49d
/src/masternodeconfig.cpp
825cc6efd6a65640db6f634c8a843a41ce88c18d
[ "MIT" ]
permissive
blockidchain/blockidcoin
d920a26b124793e4d00eeed0895fca1fac592494
d4f5ad7bef1d0944e86b5f5b022e4ffcc4f8e7c0
refs/heads/master
2021-03-26T10:01:19.317442
2021-03-18T13:26:05
2021-03-18T13:26:05
254,769,232
7
11
MIT
2020-08-12T15:54:45
2020-04-11T01:22:26
C++
UTF-8
C++
false
false
4,310
cpp
// Copyright (c) 2014-2015 The Dash developers // Copyright (c) 2015-2019 The BlockidCoin developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include "netbase.h" #include "masternodeconfig.h" #include "util.h" #include "guiinterface.h" #include <base58.h> CMasternodeConfig masternodeConfig; CMasternodeConfig::CMasternodeEntry* CMasternodeConfig::add(std::string alias, std::string ip, std::string privKey, std::string txHash, std::string outputIndex) { CMasternodeEntry cme(alias, ip, privKey, txHash, outputIndex); entries.push_back(cme); return &(entries[entries.size()-1]); } void CMasternodeConfig::remove(std::string alias) { int pos = -1; for (int i = 0; i < ((int) entries.size()); ++i) { CMasternodeEntry e = entries[i]; if (e.getAlias() == alias) { pos = i; break; } } entries.erase(entries.begin() + pos); } bool CMasternodeConfig::read(std::string& strErr) { int linenumber = 1; boost::filesystem::path pathMasternodeConfigFile = GetMasternodeConfigFile(); boost::filesystem::ifstream streamConfig(pathMasternodeConfigFile); if (!streamConfig.good()) { FILE* configFile = fopen(pathMasternodeConfigFile.string().c_str(), "a"); if (configFile != NULL) { std::string strHeader = "# Masternode config file\n" "# Format: alias IP:port masternodeprivkey collateral_output_txid collateral_output_index\n" "# Example: mn1 127.0.0.2:31472 93HaYBVUCYjEMeeH1Y4sBGLALQZE1Yc1K64xiqgX37tGBDQL8Xg 2bcd3c84c84f87eaa86e4e56834c92927a07f9e18718810b92e0d0324456a67c 0" "#\n"; fwrite(strHeader.c_str(), std::strlen(strHeader.c_str()), 1, configFile); fclose(configFile); } return true; // Nothing to read, so just return } for (std::string line; std::getline(streamConfig, line); linenumber++) { if (line.empty()) continue; std::istringstream iss(line); std::string comment, alias, ip, privKey, txHash, outputIndex; if (iss >> comment) { if (comment.at(0) == '#') continue; iss.str(line); iss.clear(); } if (!(iss >> alias >> ip >> privKey >> txHash >> outputIndex)) { iss.str(line); iss.clear(); if (!(iss >> alias >> ip >> privKey >> txHash >> outputIndex)) { strErr = _("Could not parse masternode.conf") + "\n" + strprintf(_("Line: %d"), linenumber) + "\n\"" + line + "\""; streamConfig.close(); return false; } } int port = 0; std::string hostname = ""; SplitHostPort(ip, port, hostname); if(port == 0 || hostname == "") { strErr = _("Failed to parse host:port string") + "\n"+ strprintf(_("Line: %d"), linenumber) + "\n\"" + line + "\""; streamConfig.close(); return false; } if (Params().NetworkID() == CBaseChainParams::MAIN) { if (port != 31472) { strErr = _("Invalid port detected in masternode.conf") + "\n" + strprintf(_("Line: %d"), linenumber) + "\n\"" + line + "\"" + "\n" + _("(must be 31472 for mainnet)"); streamConfig.close(); return false; } } else if (port == 31472) { strErr = _("Invalid port detected in masternode.conf") + "\n" + strprintf(_("Line: %d"), linenumber) + "\n\"" + line + "\"" + "\n" + _("(31472 could be used only on mainnet)"); streamConfig.close(); return false; } add(alias, ip, privKey, txHash, outputIndex); } streamConfig.close(); return true; } bool CMasternodeConfig::CMasternodeEntry::castOutputIndex(int &n) const { try { n = std::stoi(outputIndex); } catch (const std::exception& e) { LogPrintf("%s: %s on getOutputIndex\n", __func__, e.what()); return false; } return true; }
[ "mdfkbtc@veles.network" ]
mdfkbtc@veles.network
1e450b103c0d28bd672b1fa8b640de23f4f68e62
396b15569262859ce1ffac51ba3be92d81dbf4a2
/Labo 2/Ejercicio2.cpp
30246424ec3e55abfd44a29ade5c9922861931c1
[]
no_license
RIADAPLE/Portafolio_00032219
cdb222b3b8dadd2d93c1b86f4116d607e3aa9a9e
003deedfab6cb6ccf86bb1732c151dce930d3e53
refs/heads/master
2020-07-08T23:24:28.380975
2019-11-20T03:32:21
2019-11-20T03:32:21
203,809,618
0
0
null
null
null
null
UTF-8
C++
false
false
366
cpp
#include <iostream> using namespace std; int digitos(int b, int i){ i++; int x=b/10; if (x==0){ return i; } else{ digitos(x,i); } } int main(void) { int a, i=0; cout<<"Digite un número: "<<endl; cin>>a; int x=digitos(a,i); cout<<"El número tiene "<<x<<" dígitos"<<endl; return 0; }
[ "you@example.com" ]
you@example.com
455d23e3509925c61fac921a6f0f0c7bca71769f
49e5c01877ba5ec34d43e8392873faee35002139
/DragonStar/data/formation/header/fa_testFormations.h
0e7d1afce0e1e3d8b8c87c733736303e34748cc9
[]
no_license
Antilurker77/DragonStar
c66af6c672e7b0cc5411ea9c49277de2b86c4a54
d2c7439a04a47f9f0208faf9616b185856036e36
refs/heads/master
2021-07-11T22:09:12.234098
2018-12-08T12:21:52
2018-12-08T12:21:52
113,716,801
4
1
null
null
null
null
UTF-8
C++
false
false
476
h
// ================================== // // fa_testFormations.h // // Data for Test Formations. // // ================================== #pragma once #include "../../formation.h" class Fa_TestFormationA : public Formation { public: Fa_TestFormationA(); }; class Fa_TestFormationB : public Formation { public: Fa_TestFormationB(); }; class Fa_TestUnique : public Formation { public: Fa_TestUnique(); }; class Fa_TestBoss : public Formation { public: Fa_TestBoss(); };
[ "antilurker77@hotmail.com" ]
antilurker77@hotmail.com
6a2de55e1eb6c580c4af663272038e72a5b36ee5
983380d1fac337027769d0fb551609b4eb8709db
/SpaceSZ/DisplayInfo.h
55ffeb57a42b7b17ee3ea03f374141ec3ff6789a
[]
no_license
junioramilson/SpaceSZ
8200f8f386289f886222aa330204dea88a073052
2b489c22fa10497ffcc821b16d4bfcd862660db3
refs/heads/master
2023-01-12T11:16:02.553927
2016-06-15T18:06:42
2016-06-15T18:06:42
null
0
0
null
null
null
null
UTF-8
C++
false
false
505
h
#pragma once #include "EngineConstants.h" #include "Game.h" namespace DisplayInfo { sf::Text score; sf::Font font; void Init() { if (!font.loadFromFile("Assets/fonts/DejaVuSansCondensed.ttf")) { return; } score.setFont(font); score.setCharacterSize(20); score.setColor(sf::Color::White); score.setPosition(sf::Vector2f(10, 10)); } void ShowScore(sf::RenderWindow& wnd) { score.setString("Score: " + std::to_string(Game::entityManager->Collisions())); wnd.draw(score); } }
[ "amilson_junior@outlook.com" ]
amilson_junior@outlook.com
80c4f9c6c2026226268b57c0d2f633e49ce2ddbc
c92e18501d8962b58c8f7c5f531a8b9aafc9d0ef
/CCC/ccc10j2.cpp
eb901b8352a98ce26df6fe60cad4247bc7e1e44d
[]
no_license
Dan13llljws/CP-Solutions
8bc79208b741959c924ec117c2a8a9c7e79be0d8
4989119875843da53e0e076ecd9155a71112be8a
refs/heads/master
2023-08-16T16:41:13.599206
2023-08-10T04:26:53
2023-08-10T04:26:53
254,217,958
0
0
null
null
null
null
UTF-8
C++
false
false
1,079
cpp
#include <bits/stdc++.h> using namespace std; int main() { int a, b, c , d, steps, nSteps = 0, bSteps = 0; scanf("%d%d%d%d%d", &a, &b, &c, &d, &steps); bool excute = true; int n = steps; while(n > 0 && excute){ int x = a, y = b; while(x > 0 && excute){ nSteps++; n--; x--; if(n == 0) excute = false; } while(y > 0 && excute){ nSteps--; n--; y--; if(n == 0) excute = false; } } excute = true; n = steps; while(n > 0 && excute){ int x = c, y = d; while(x > 0 && excute){ bSteps++; n--; x--; if(n == 0) excute = false; } while(y > 0 && excute){ bSteps--; n--; y--; if(n == 0) excute = false; } } if (nSteps == bSteps) printf("Tied"); else if (nSteps > bSteps) printf("Nikky"); else printf("Byron"); return 0; }
[ "noreply@github.com" ]
noreply@github.com
83ab505502c703dc2f5a1731c290bc7b4b53a36d
04b1803adb6653ecb7cb827c4f4aa616afacf629
/base/unguessable_token.h
222177a9a1e62708129436ea397768a48a0644bc
[ "BSD-3-Clause" ]
permissive
Samsung/Castanets
240d9338e097b75b3f669604315b06f7cf129d64
4896f732fc747dfdcfcbac3d442f2d2d42df264a
refs/heads/castanets_76_dev
2023-08-31T09:01:04.744346
2021-07-30T04:56:25
2021-08-11T05:45:21
125,484,161
58
49
BSD-3-Clause
2022-10-16T19:31:26
2018-03-16T08:07:37
null
UTF-8
C++
false
false
4,040
h
// Copyright 2016 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 BASE_UNGUESSABLE_TOKEN_H_ #define BASE_UNGUESSABLE_TOKEN_H_ #include <stdint.h> #include <string.h> #include <iosfwd> #include <tuple> #include "base/base_export.h" #include "base/hash/hash.h" #include "base/logging.h" #include "base/token.h" namespace base { struct UnguessableTokenHash; // UnguessableToken is, like Token, a randomly chosen 128-bit value. Unlike // Token however, a new UnguessableToken must always be generated at runtime // from a cryptographically strong random source (or copied or serialized and // deserialized from another such UnguessableToken). It can be used as part of a // larger aggregate type, or as an ID in and of itself. // // UnguessableToken can be used to implement "Capability-Based Security". // In other words, UnguessableToken can be used when the resource associated // with the ID needs to be protected against manipulation by other untrusted // agents in the system, and there is no other convenient way to verify the // authority of the agent to do so (because the resource is part of a table // shared across processes, for instance). In such a scheme, knowledge of the // token value in and of itself is sufficient proof of authority to carry out // an operation against the associated resource. // // Use Create() for creating new UnguessableTokens. // // NOTE: It is illegal to send empty UnguessableTokens across processes, and // sending/receiving empty tokens should be treated as a security issue. // If there is a valid scenario for sending "no token" across processes, // base::Optional should be used instead of an empty token. class BASE_EXPORT UnguessableToken { public: // Create a unique UnguessableToken. static UnguessableToken Create(); // Returns a reference to a global null UnguessableToken. This should only be // used for functions that need to return a reference to an UnguessableToken, // and should not be used as a general-purpose substitute for invoking the // default constructor. static const UnguessableToken& Null(); // Return a UnguessableToken built from the high/low bytes provided. // It should only be used in deserialization scenarios. // // NOTE: If the deserialized token is empty, it means that it was never // initialized via Create(). This is a security issue, and should be handled. static UnguessableToken Deserialize(uint64_t high, uint64_t low); // Creates an empty UnguessableToken. // Assign to it with Create() before using it. constexpr UnguessableToken() = default; // NOTE: Serializing an empty UnguessableToken is an illegal operation. uint64_t GetHighForSerialization() const { DCHECK(!is_empty()); return token_.high(); } // NOTE: Serializing an empty UnguessableToken is an illegal operation. uint64_t GetLowForSerialization() const { DCHECK(!is_empty()); return token_.low(); } bool is_empty() const { return token_.is_zero(); } // Hex representation of the unguessable token. std::string ToString() const { return token_.ToString(); } explicit operator bool() const { return !is_empty(); } bool operator<(const UnguessableToken& other) const { return token_ < other.token_; } bool operator==(const UnguessableToken& other) const { return token_ == other.token_; } bool operator!=(const UnguessableToken& other) const { return !(*this == other); } private: friend struct UnguessableTokenHash; explicit UnguessableToken(const Token& token); base::Token token_; }; BASE_EXPORT std::ostream& operator<<(std::ostream& out, const UnguessableToken& token); // For use in std::unordered_map. struct UnguessableTokenHash { size_t operator()(const base::UnguessableToken& token) const { DCHECK(token); return TokenHash()(token.token_); } }; } // namespace base #endif // BASE_UNGUESSABLE_TOKEN_H_
[ "sunny.nam@samsung.com" ]
sunny.nam@samsung.com
6598d53a8d9cf6fd33354b57bcad4700bf2d381c
374bc6608b714ac769cbbfd67c952e3d8ddd5ee4
/src/CM1106.cpp
361df4555cc6d9beb4ab74d0a64cd08ceca7eb89
[ "MIT" ]
permissive
CoXlabInc/Nol.A-device-driver
7e20fe76e1ba40cf28f603c073950783a0826cd8
e74fa80e206fc0865a932d7691a18667dfbf5323
refs/heads/master
2023-07-23T00:34:31.312371
2023-07-10T08:52:43
2023-07-10T08:52:43
60,999,899
1
1
MIT
2018-08-31T07:38:20
2016-06-13T02:00:38
C++
UTF-8
C++
false
false
1,176
cpp
#include <cox.h> #include "CM1106.hpp" CM1106::CM1106(SerialPort &p) { this->port = &p; this->index = 0; } void CM1106::begin() { this->port->begin(9600); this->port->onReceive(SerialDataReceived, this); this->port->listen(); } void CM1106::SerialDataReceived(void *ctx) { CM1106 *cm1106 = (CM1106 *) ctx; cm1106->eventDataReceived(); } void CM1106::eventDataReceived() { while(this->port->available()>0){ uint8_t data = this->port->read(); if( ((this->index == 0) && (data != 0x16)) || ((this->index == 1) && (data != 0x05)) || ((this->index == 2) && (data != 0x01))) { this->index = 0; continue; } else if (this->index == 3) { this->CO2 = 0; this->CO2 |= (uint16_t)(data<<8); } else if (this->index == 4) { this->CO2 |= data; } else if (this->index ==7) { this->index = 0; this->gotCO2callback(); continue; } this->index++; } } void CM1106::measurement(void (*func)()){ this->gotCO2callback = func; char args[] = {0x11, 0x01, 0x01, 0xED}; for(int j=0; j<4; j++){ this->port->write(args[j]); } } uint16_t CM1106::getCO2() { return this->CO2; }
[ "dudwns927@gmail.com" ]
dudwns927@gmail.com
74302361d2cb679ce0eb3f2de802b6a9fbadcef9
be97cc1e43241df8ee46f9be364f75e347f9d726
/src/sfm.cpp
1ee3c23f4f7c4040c5cd7230745712b65103856f
[]
no_license
MF1523017/ViSG_Geometry
ed34b5dcb36a85dcd5ca3e542672453a72a7a9c6
50832e580f7c686aed9d1e107d31518f0108f96c
refs/heads/master
2021-01-23T23:03:11.425744
2017-12-13T13:21:28
2017-12-13T13:21:28
102,952,826
0
0
null
2017-10-14T02:54:42
2017-09-09T12:21:36
C++
UTF-8
C++
false
false
6,261
cpp
/************************************************************************* > File Name: sfm.cpp > Author: lipei > Mail: b111180082@163.com > Created Time: 2017年09月26日 星期二 16时09分11秒 ************************************************************************/ #include "sfm.h" #include <cassert> namespace VISG{ SFM::SFM(const Camera & cam,const size_t images_size):image_count_(0),images_size_(images_size),p_camera_(new Camera(cam)), p_feature_(new Feature),p_matcher_(new Matcher),p_pose_(new Pose),p_map_(new Map){ all_matches_.resize(images_size_,AllMatches(images_size_)); std::cout << "[SFM] all_matches_ size: " << all_matches_.size() << " all_matches_[0] size: " << all_matches_[0].size() << std::endl; rotations.resize(images_size_,cv::Mat(3,3,CV_32F)); translations.resize(images_size_,cv::Mat(3,1,CV_32F)); rotations[0] = cv::Mat::eye(3,3,CV_32F); translations[0] = cv::Mat::zeros(3,1,CV_32F); } SFM::~SFM(){ std::cout << "[SFM ~SFM] GOODBYE SFM " << std::endl; } void SFM::ExtractMatch(Frame::Ptr p_frame){ p_feature_->Extract(p_frame->img); const KeyPoints &key_points = p_feature_->key_points; const cv::Mat &descriptors = p_feature_->descriptors; auto id = p_frame->id(); for(size_t i = 0; i < all_key_points.size(); ++i){ p_matcher_->Match(all_descriptors_[i],descriptors); const DMatches &matches = p_matcher_->inlier_matches; std::cout << "[ExtractMatch] frame: " << i << " and frame " << p_frame->id() << " matches size: " << matches.size() << std::endl; // all_matches_.push_back(matches); all_matches_[i][id] = matches; } all_key_points.push_back(key_points); all_descriptors_.push_back(descriptors.clone()); } /* * @brief reconstruc from first two frames */ void SFM::InitStructure(){ // resize correspond_idx_; correspond_idx_.clear(); correspond_idx_.resize(all_key_points.size()); for(size_t i = 0; i < all_key_points.size(); ++i){ correspond_idx_[i].resize(all_key_points[i].size(),-1); } std::cout << "[InitStructure] 0 " << std::endl; std::vector<cv::Point2f> points1,points2; bool ret = p_pose_->Estimate(all_key_points[0],all_key_points[1],*p_camera_,all_matches_[0][1],points1,points2); assert(ret); std::cout << "[InitStructure] 1 " << std::endl; p_pose_->cRw.copyTo(rotations[1]); p_pose_->ctw.copyTo(translations[1]); std::cout << "[InitStructure] 2 " << std::endl; p_map_->Triangulation(points1,points2,Pose(),*p_pose_,*p_camera_); std::cout << "[InitStructure] 3 " << std::endl; const MapPoints &map_points = p_map_->map_points; const DMatches &matches = all_matches_[0][1]; std::cout << "[InitStructure] map_points.size: " << map_points.size() << " matches size: " << matches.size() << std::endl; for(size_t i = 0; i < map_points.size(); ++i){ all_map_points.push_back(map_points[i]); correspond_idx_[0][matches[i].queryIdx] = i; correspond_idx_[1][matches[i].trainIdx] = i; } } /* * @brief: get the correspondences between points2 in 2d and points3 in 3d */ void SFM::GetPnP(const size_t idx,std::vector<cv::Point2f> &points2,std::vector<cv::Point3f> &points3){ for(size_t i = 0; i < idx; ++i){ const DMatches & matches = all_matches_[i][idx]; if(matches.size() < 8){ std::cout << "[GetPnP] too little matches: " << matches.size() << " idx: " << idx << std::endl; continue; } for(size_t j = 0; j < matches.size(); ++j){ auto query_idx = matches[j].queryIdx; auto train_idx = matches[j].trainIdx; auto map_points_idx = correspond_idx_[i][query_idx]; if(map_points_idx == -1) continue; points2.push_back(all_key_points[idx][train_idx].pt); points3.push_back(all_map_points[map_points_idx]); } } } /* * @brief: fusion the new correspondences to structure */ void SFM::FusionStructure(const size_t idx){ std::vector<cv::Point2f> points1,points2; for(size_t i = 0; i < idx; ++i){ const DMatches &matches = all_matches_[i][idx]; if(matches.size() < 8) continue; points1.clear(); points2.clear(); for(size_t j = 0; j < matches.size(); ++j){ auto query_idx = matches[j].queryIdx; auto train_idx = matches[j].trainIdx; auto map_points_idx = correspond_idx_[i][query_idx]; if(map_points_idx == -1){ points1.push_back(all_key_points[i][query_idx].pt); points2.push_back(all_key_points[idx][train_idx].pt); }else{ correspond_idx_[idx][train_idx] = map_points_idx; } } // std::cout << "[FusionStructure] correspondences ize: " << points1.size() << std::endl; p_map_->Triangulation(points1,points2,Pose(rotations[i],translations[i]),Pose(rotations[idx],translations[idx]),*p_camera_); size_t map_points_size = all_map_points.size(); const MapPoints &new_map_points = p_map_->map_points; // std::cout << "[FusionStructure] new map points size: " << new_map_points.size() << " i: " << i << " <==> idx: " << idx << std::endl; for(size_t k = 0; k < new_map_points.size(); ++k){ // std::cout << "[FusionStructure] points1: " << points1[k] << " points2: " << points2[k] << std::endl; // std::cout << "[FusionStructure] new map points: " << new_map_points[k] << std::endl; all_map_points.push_back(new_map_points[k]); correspond_idx_[i][matches[k].queryIdx] = map_points_size + k; correspond_idx_[idx][matches[k].trainIdx] = map_points_size + k; } } } /* * @brief: MultiView: structure from motion */ void SFM::MultiView(){ #ifdef TEST std::cout << "[MultiView] all_matches_: " << std::endl; for(size_t i = 0; i < all_matches_.size(); ++i){ for(size_t j = 0; j < all_matches_[0].size(); ++j){ std::cout << all_matches_[i][j].size() << " "; } std::cout << std::endl; } #endif std::vector<cv::Point2f> points2; std::vector<cv::Point3f> points3; for(size_t i = 2; i < all_matches_.size(); ++i){ points2.clear(); points3.clear(); GetPnP(i,points2,points3); std::cout << "[MultiView] pnp size: " << points3.size() << std::endl; bool ret = p_pose_->Estimate(points2,points3,*p_camera_); assert(ret); p_pose_->cRw.copyTo(rotations[i]); p_pose_->ctw.copyTo(translations[i]); std::cout << "[MultiView] ith: " << i << " R: " << rotations[i] << std::endl << " t: " << translations[i] << std::endl; FusionStructure(i); } } void SFM::Run(Frame::Ptr p_frame){ ExtractMatch(p_frame); InitStructure(); } }
[ "554896649@qq.com" ]
554896649@qq.com
10ba0c0f64289a6f4e3d6a09b20badaf3ef83ddd
b6588b611648351e123ee7b096af0bdd4eaed744
/pin_kit/source/tools/ToolUnitTests/suspend-mxcsr.cpp
7b067d8381a4c6d6be3a05a4c0d9e3186e232f21
[ "Intel" ]
permissive
ze0ne0/mypro
2ff9baf40863bc742fbe4b36d21ddb5ccc678509
26501301e38f1e6b54c710bd02ebdea06cd341c4
refs/heads/master
2021-01-21T12:58:36.373328
2016-04-26T11:16:24
2016-04-26T11:16:24
55,503,774
0
0
null
null
null
null
UTF-8
C++
false
false
4,471
cpp
/*BEGIN_LEGAL Intel Open Source License Copyright (c) 2002-2014 Intel 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 Intel Corporation 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 INTEL OR ITS 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. END_LEGAL */ /* * Test that we can read / write a thread's MXCSR register via the Windows CONTEXT.MxCsr field. */ #include <windows.h> #include <iostream> #include <cstring> const unsigned MXCSR_INITIAL = 0x1f80; // All exceptions masked const unsigned MXCSR_NEW = 0x1d80; // Enable divide-by-zero exceptions volatile bool TestThreadReady = false; volatile bool MxcsrChanged = false; extern "C" void SetMxcsr(unsigned); extern "C" unsigned GetMxcsr(); static DWORD WINAPI TestThread(LPVOID); int main() { HANDLE thd = CreateThread(0, 0, TestThread, 0, 0, 0); if (!thd) { std::cerr << "Unable to create thread" << std::endl; return 1; } while (!TestThreadReady) Sleep(0); if (SuspendThread(thd) == -1) { std::cerr << "Error from SuspendThread()" << std::endl; return 1; } CONTEXT ctxt; std::memset(&ctxt, sizeof(ctxt), 0); // Must specify CONTEXT_CONTROL here to avoid Windows bug on Vista and earlier (?). // On those systems, the SetThreadContext() call below will try to write the CONTROL // registers even though we don't specify CONTEXT_CONTROL in that call. Therefore, // we read the CONTROL registers here in case the SetThreadContext() call tries to // write them back. // ctxt.ContextFlags = (CONTEXT_FLOATING_POINT | CONTEXT_CONTROL); if (GetThreadContext(thd, &ctxt) == 0) { std::cerr << "Error from GetThreadContext()" << std::endl; return 1; } if (ctxt.MxCsr != MXCSR_INITIAL) { std::cout << "Read incorrect initial MXCSR value (0x" << std::hex << ctxt.MxCsr << ")" << std::endl; return 1; } ctxt.ContextFlags = CONTEXT_FLOATING_POINT; ctxt.MxCsr = MXCSR_NEW; if (SetThreadContext(thd, &ctxt) == 0) { std::cerr << "Error from SetThreadContext()" << std::endl; return 1; } if (ResumeThread(thd) == -1) { std::cerr << "Error from ResumeThread()" << std::endl; return 1; } MxcsrChanged = true; WaitForSingleObject(thd, INFINITE); DWORD ret = 1; GetExitCodeThread(thd, &ret); return ret; } static DWORD WINAPI TestThread(LPVOID) { SetMxcsr(MXCSR_INITIAL); TestThreadReady = true; // Wait for the main thread to change our MXCSR value. Note that we do not call Sleep here // because we want to force Pin to suspend us outside of a system call. When the thread is // suspended inside a system call, Pin executes the SetThreadContext() syscall directly (instead // of emulating it). The test would still be valid in that case, but it's a better test // if it exercises the emulation support in Pin. // while (!MxcsrChanged); unsigned mxcsr = GetMxcsr(); if (mxcsr != MXCSR_NEW) { std::cout << "New MXCSR value (0x" << std::hex << mxcsr << ") is wrong" << std::endl; return 1; } return 0; }
[ "206114004@nitt.edu" ]
206114004@nitt.edu
01b1a33781be6eb6a78df95cba0dbbfb01ef60a4
4a34f4ffda4039415c1105aa2d90487b7a67ca6e
/src/crypto/sha256.h
5c397ce0f39ddfa5ee75995c45c847266076f582
[ "MIT" ]
permissive
fast-bitcoin/FastBitcoin
017f77b7c6bf766bf4ee6666c55bdfef71432e8f
f2cc12d1ff8521e103d1290c0c1d9c3ec09b4472
refs/heads/master
2020-06-29T00:52:32.317049
2019-09-11T05:32:59
2019-09-11T05:32:59
200,390,215
0
0
null
null
null
null
UTF-8
C++
false
false
681
h
// Copyright (c) 2014-2016 The Fastbitcoin Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #ifndef FASTBITCOIN_CRYPTO_SHA256_H #define FASTBITCOIN_CRYPTO_SHA256_H #include <stdint.h> #include <stdlib.h> /** A hasher class for SHA-256. */ class CSHA256 { private: uint32_t s[8]; unsigned char buf[64]; uint64_t bytes; public: static const size_t OUTPUT_SIZE = 32; CSHA256(); CSHA256& Write(const unsigned char* data, size_t len); void Finalize(unsigned char hash[OUTPUT_SIZE]); CSHA256& Reset(); }; #endif // FASTBITCOIN_CRYPTO_SHA256_H
[ "joshaf.est@gmail.com" ]
joshaf.est@gmail.com
fb6daca7397c0c54ddfcdd7dd5c459d4b9bbffa4
8851591f460d55ced86241e2ca187c14534fdecf
/model3d/app/base/Object.cpp
3e987d5c24cb2cec8540809c6c6eb0e599a95f96
[]
no_license
qinjunli1107/model3d
58b0ff0ed3eb19fbe889676113afef668f48b7d7
464b1ad5ece6414b7b54c792c8a3a03bd487e6b5
refs/heads/master
2021-01-13T09:41:38.188976
2014-06-18T14:38:14
2014-06-18T14:38:14
null
0
0
null
null
null
null
UTF-8
C++
false
false
151
cpp
// // Object.cpp // model3d // // Created by 魏裕群 on 14-6-8. // Copyright (c) 2014年 魏裕群. All rights reserved. // #include "Object.h"
[ "409438071@qq.com" ]
409438071@qq.com
4fd19614ea81aa1a16b7de863b32e608563b71b0
8287a8f627f052f6490f0a2ec12fa5437d3740cf
/cses/27_Towers.cpp
327a7fbebafb74835d00c129238d2daea41a9e84
[]
no_license
sajangrover/DataStructureAndAlgorithms
500dabaf7fdf243bcd3b0302c7e6ba8719cfed19
6db3c045907985d727c48e2ed93a7be53cfb1ca4
refs/heads/master
2023-03-07T15:59:24.986920
2021-01-26T09:32:13
2021-01-26T09:32:13
315,045,733
0
0
null
null
null
null
UTF-8
C++
false
false
722
cpp
#include<bits/stdc++.h> using namespace std; // hint: longest increasing subsequence int upperIndex(vector<long long> &v, long long x){ int l=0; int r=v.size()-1,mid; while(l<=r){ mid = l+(r-l)/2; if (v[mid]>x) r=mid-1; else l=mid+1; } return l; } int main(){ long long n; cin>>n; long long a[n],b[n]; for(int i=0;i<n;i++){ cin>>a[i]; } vector<long long> vec; vec.push_back(a[0]); for(int i=1;i<n;i++){ if(a[i]<vec[0]) vec[0] = a[i]; else if(a[i]>=vec[vec.size()-1]) vec.push_back(a[i]); else vec[upperIndex(vec,a[i])] = a[i]; } cout<<vec.size(); return 0; }
[ "sajangrover379@gmail.com" ]
sajangrover379@gmail.com
ecbae2efaa8c5d7e5c8d040c60ee2a68e3036ede
4c54b91896deec9587f48468165e115f66cc72e8
/src/coreclr/debug/createdump/crashinfounix.cpp
20b2494f329dba9e780ede3ba5b7630cb907479e
[ "MIT" ]
permissive
MihaZupan/runtime
b5424c444d87c1d9620b45591c76aac30583daa1
15aa8d39154b2167002cb33617accf4a52a802c2
refs/heads/main
2023-08-15T10:32:11.755562
2023-05-04T15:34:07
2023-05-04T15:34:07
224,198,914
0
0
MIT
2023-05-09T01:53:18
2019-11-26T13:29:12
C#
UTF-8
C++
false
false
17,362
cpp
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. #include "createdump.h" #ifndef PT_ARM_EXIDX #define PT_ARM_EXIDX 0x70000001 /* See llvm ELF.h */ #endif extern CrashInfo* g_crashInfo; int g_readProcessMemoryErrno = 0; bool GetStatus(pid_t pid, pid_t* ppid, pid_t* tgid, std::string* name); bool CrashInfo::Initialize() { char memPath[128]; _snprintf_s(memPath, sizeof(memPath), sizeof(memPath), "/proc/%lu/mem", m_pid); m_fdMem = open(memPath, O_RDONLY); if (m_fdMem == -1) { int err = errno; const char* message = "Problem accessing memory"; if (err == EPERM || err == EACCES) { message = "The process or container does not have permissions or access"; } else if (err == ENOENT) { message = "Invalid process id"; } printf_error("%s: open(%s) FAILED %s (%d)\n", message, memPath, strerror(err), err); return false; } CLRConfigNoCache disablePagemapUse = CLRConfigNoCache::Get("DbgDisablePagemapUse", /*noprefix*/ false, &getenv); DWORD val = 0; if (disablePagemapUse.IsSet() && disablePagemapUse.TryAsInteger(10, val) && val == 0) { TRACE("DbgDisablePagemapUse detected - pagemap file checking is enabled\n"); char pagemapPath[128]; _snprintf_s(pagemapPath, sizeof(pagemapPath), sizeof(pagemapPath), "/proc/%lu/pagemap", m_pid); m_fdPagemap = open(pagemapPath, O_RDONLY); if (m_fdPagemap == -1) { TRACE("open(%s) FAILED %d (%s), will fallback to dumping all memory regions without checking if they are committed\n", pagemapPath, errno, strerror(errno)); } } else { m_fdPagemap = -1; } // Get the process info if (!GetStatus(m_pid, &m_ppid, &m_tgid, &m_name)) { return false; } m_canUseProcVmReadSyscall = true; return true; } void CrashInfo::CleanupAndResumeProcess() { // Resume all the threads suspended in EnumerateAndSuspendThreads for (ThreadInfo* thread : m_threads) { if (ptrace(PTRACE_DETACH, thread->Tid(), nullptr, nullptr) != -1) { int waitStatus; waitpid(thread->Tid(), &waitStatus, __WALL); } } if (m_fdMem != -1) { close(m_fdMem); m_fdMem = -1; } if (m_fdPagemap != -1) { close(m_fdPagemap); m_fdPagemap = -1; } } // // Suspends all the threads and creating a list of them. Should be the before gathering any info about the process. // bool CrashInfo::EnumerateAndSuspendThreads() { char taskPath[128]; snprintf(taskPath, sizeof(taskPath), "/proc/%d/task", m_pid); DIR* taskDir = opendir(taskPath); if (taskDir == nullptr) { printf_error("Problem enumerating threads: opendir(%s) FAILED %s (%d)\n", taskPath, strerror(errno), errno); return false; } struct dirent* entry; while ((entry = readdir(taskDir)) != nullptr) { pid_t tid = static_cast<pid_t>(strtol(entry->d_name, nullptr, 10)); if (tid != 0) { // Reference: http://stackoverflow.com/questions/18577956/how-to-use-ptrace-to-get-a-consistent-view-of-multiple-threads if (ptrace(PTRACE_ATTACH, tid, nullptr, nullptr) != -1) { int waitStatus; waitpid(tid, &waitStatus, __WALL); } else { printf_error("Problem suspending threads: ptrace(ATTACH, %d) FAILED %s (%d)\n", tid, strerror(errno), errno); closedir(taskDir); return false; } // Add to the list of threads ThreadInfo* thread = new ThreadInfo(*this, tid); m_threads.push_back(thread); } } closedir(taskDir); return true; } // // Get the auxv entries to use and add to the core dump // bool CrashInfo::GetAuxvEntries() { char auxvPath[128]; snprintf(auxvPath, sizeof(auxvPath), "/proc/%d/auxv", m_pid); int fd = open(auxvPath, O_RDONLY, 0); if (fd == -1) { printf_error("Problem reading aux info: open(%s) FAILED %s (%d)\n", auxvPath, strerror(errno), errno); return false; } bool result = false; elf_aux_entry auxvEntry; while (read(fd, &auxvEntry, sizeof(elf_aux_entry)) == sizeof(elf_aux_entry)) { m_auxvEntries.push_back(auxvEntry); if (auxvEntry.a_type == AT_NULL) { break; } if (auxvEntry.a_type < AT_MAX) { m_auxvValues[auxvEntry.a_type] = auxvEntry.a_un.a_val; TRACE("AUXV: %" PRIu " = %" PRIxA "\n", auxvEntry.a_type, auxvEntry.a_un.a_val); result = true; } } close(fd); return result; } // // Get the module mappings for the core dump NT_FILE notes // bool CrashInfo::EnumerateMemoryRegions() { // Here we read /proc/<pid>/maps file in order to parse it and figure out what it says // about a library we are looking for. This file looks something like this: // // [address] [perms] [offset] [dev] [inode] [pathname] - HEADER is not preset in an actual file // // 35b1800000-35b1820000 r-xp 00000000 08:02 135522 /usr/lib64/ld-2.15.so // 35b1a1f000-35b1a20000 r--p 0001f000 08:02 135522 /usr/lib64/ld-2.15.so // 35b1a20000-35b1a21000 rw-p 00020000 08:02 135522 /usr/lib64/ld-2.15.so // 35b1a21000-35b1a22000 rw-p 00000000 00:00 0 [heap] // 35b1c00000-35b1dac000 r-xp 00000000 08:02 135870 /usr/lib64/libc-2.15.so // 35b1dac000-35b1fac000 ---p 001ac000 08:02 135870 /usr/lib64/libc-2.15.so // 35b1fac000-35b1fb0000 r--p 001ac000 08:02 135870 /usr/lib64/libc-2.15.so // 35b1fb0000-35b1fb2000 rw-p 001b0000 08:02 135870 /usr/lib64/libc-2.15.so char* line = nullptr; size_t lineLen = 0; int count = 0; ssize_t read; // Making something like: /proc/123/maps char mapPath[128]; int chars = snprintf(mapPath, sizeof(mapPath), "/proc/%d/maps", m_pid); assert(chars > 0 && (size_t)chars <= sizeof(mapPath)); FILE* mapsFile = fopen(mapPath, "r"); if (mapsFile == nullptr) { printf_error("Problem reading maps file: fopen(%s) FAILED %s (%d)\n", mapPath, strerror(errno), errno); return false; } // linuxGateAddress is the beginning of the kernel's mapping of // linux-gate.so in the process. It doesn't actually show up in the // maps list as a filename, but it can be found using the AT_SYSINFO_EHDR // aux vector entry, which gives the information necessary to special // case its entry when creating the list of mappings. // See http://www.trilithium.com/johan/2005/08/linux-gate/ for more // information. const void* linuxGateAddress = (const void*)m_auxvValues[AT_SYSINFO_EHDR]; // Reading maps file line by line while ((read = getline(&line, &lineLen, mapsFile)) != -1) { uint64_t start, end, offset; char* permissions = nullptr; char* moduleName = nullptr; int c = sscanf(line, "%" PRIx64 "-%" PRIx64 " %m[-rwxsp] %" PRIx64 " %*[:0-9a-f] %*d %m[^\n]\n", &start, &end, &permissions, &offset, &moduleName); if (c == 4 || c == 5) { // r = read // w = write // x = execute // s = shared // p = private (copy on write) uint32_t regionFlags = 0; if (strchr(permissions, 'r')) { regionFlags |= PF_R; } if (strchr(permissions, 'w')) { regionFlags |= PF_W; } if (strchr(permissions, 'x')) { regionFlags |= PF_X; } if (strchr(permissions, 's')) { regionFlags |= MEMORY_REGION_FLAG_SHARED; } if (strchr(permissions, 'p')) { regionFlags |= MEMORY_REGION_FLAG_PRIVATE; } MemoryRegion memoryRegion(regionFlags, start, end, offset, std::string(moduleName != nullptr ? moduleName : "")); if (moduleName != nullptr && *moduleName == '/') { m_moduleMappings.insert(memoryRegion); m_cbModuleMappings += memoryRegion.Size(); } else { m_otherMappings.insert(memoryRegion); } if (linuxGateAddress != nullptr && reinterpret_cast<void*>(start) == linuxGateAddress) { InsertMemoryRegion(memoryRegion); } free(moduleName); free(permissions); } } if (g_diagnostics) { TRACE("Module mappings (%06llx):\n", m_cbModuleMappings / PAGE_SIZE); for (const MemoryRegion& region : m_moduleMappings) { region.Trace(); } TRACE("Other mappings:\n"); for (const MemoryRegion& region : m_otherMappings) { region.Trace(); } } free(line); // We didn't allocate line, but as per contract of getline we should free it fclose(mapsFile); return true; } // // All the shared (native) module info to the core dump // bool CrashInfo::GetDSOInfo() { Phdr* phdrAddr = reinterpret_cast<Phdr*>(m_auxvValues[AT_PHDR]); int phnum = m_auxvValues[AT_PHNUM]; assert(m_auxvValues[AT_PHENT] == sizeof(Phdr)); assert(phnum != PN_XNUM); return EnumerateElfInfo(phdrAddr, phnum); } // // Add all the necessary ELF headers to the core dump // void CrashInfo::VisitModule(uint64_t baseAddress, std::string& moduleName) { if (baseAddress == 0 || baseAddress == m_auxvValues[AT_SYSINFO_EHDR]) { return; } // For reasons unknown the main app singlefile module name is empty in the DSO. This replaces // it with the one found in the /proc/<pid>/maps. if (moduleName.empty()) { MemoryRegion search(0, baseAddress, baseAddress + PAGE_SIZE); const MemoryRegion* region = SearchMemoryRegions(m_moduleMappings, search); if (region != nullptr) { moduleName = region->FileName(); TRACE("VisitModule using module name from mappings '%s'\n", moduleName.c_str()); } } AddModuleInfo(false, baseAddress, nullptr, moduleName); if (m_coreclrPath.empty()) { size_t last = moduleName.rfind(DIRECTORY_SEPARATOR_STR_A MAKEDLLNAME_A("coreclr")); if (last != std::string::npos) { m_coreclrPath = moduleName.substr(0, last + 1); m_runtimeBaseAddress = baseAddress; // Now populate the elfreader with the runtime module info and // lookup the DAC table symbol to ensure that all the memory // necessary is in the core dump. if (PopulateForSymbolLookup(baseAddress)) { uint64_t symbolOffset; if (!TryLookupSymbol(DACCESS_TABLE_SYMBOL, &symbolOffset)) { TRACE("TryLookupSymbol(" DACCESS_TABLE_SYMBOL ") FAILED\n"); } } } else if (g_checkForSingleFile) { if (PopulateForSymbolLookup(baseAddress)) { uint64_t symbolOffset; if (TryLookupSymbol("DotNetRuntimeInfo", &symbolOffset)) { m_coreclrPath = GetDirectory(moduleName); m_runtimeBaseAddress = baseAddress; // explicit initialization for old gcc support; instead of just runtimeInfo { } RuntimeInfo runtimeInfo { .Signature = { }, .Version = 0, .RuntimeModuleIndex = { }, .DacModuleIndex = { }, .DbiModuleIndex = { } }; if (ReadMemory((void*)(baseAddress + symbolOffset), &runtimeInfo, sizeof(RuntimeInfo))) { if (strcmp(runtimeInfo.Signature, RUNTIME_INFO_SIGNATURE) == 0) { TRACE("Found valid single-file runtime info\n"); } } } } } } EnumerateProgramHeaders(baseAddress); } // Helper for PAL_GetUnwindInfoSize. Reads memory directly without adding it to the memory region list. BOOL ReadMemoryAdapter(PVOID address, PVOID buffer, SIZE_T size) { size_t read = 0; return g_crashInfo->ReadProcessMemory(address, buffer, size, &read); } // // Called for each program header adding the build id note, unwind frame // region and module addresses to the crash info. // void CrashInfo::VisitProgramHeader(uint64_t loadbias, uint64_t baseAddress, Phdr* phdr) { switch (phdr->p_type) { case PT_DYNAMIC: case PT_NOTE: #if defined(TARGET_ARM) case PT_ARM_EXIDX: #endif if (phdr->p_vaddr != 0 && phdr->p_memsz != 0) { InsertMemoryRegion(loadbias + phdr->p_vaddr, phdr->p_memsz); } break; case PT_GNU_EH_FRAME: if (phdr->p_vaddr != 0 && phdr->p_memsz != 0) { uint64_t ehFrameHdrStart = loadbias + phdr->p_vaddr; uint64_t ehFrameHdrSize = phdr->p_memsz; TRACE("VisitProgramHeader: ehFrameHdrStart %016llx ehFrameHdrSize %08llx\n", ehFrameHdrStart, ehFrameHdrSize); InsertMemoryRegion(ehFrameHdrStart, ehFrameHdrSize); ULONG64 ehFrameStart; ULONG64 ehFrameSize; if (PAL_GetUnwindInfoSize(baseAddress, ehFrameHdrStart, ReadMemoryAdapter, &ehFrameStart, &ehFrameSize)) { TRACE("VisitProgramHeader: ehFrameStart %016llx ehFrameSize %08llx\n", ehFrameStart, ehFrameSize); if (ehFrameStart != 0 && ehFrameSize != 0) { InsertMemoryRegion(ehFrameStart, ehFrameSize); } } else { TRACE("VisitProgramHeader: PAL_GetUnwindInfoSize FAILED\n"); } } break; case PT_LOAD: AddModuleAddressRange(loadbias + phdr->p_vaddr, loadbias + phdr->p_vaddr + phdr->p_memsz, baseAddress); break; } } // // Get the memory region flags for a start address // uint32_t CrashInfo::GetMemoryRegionFlags(uint64_t start) { MemoryRegion search(0, start, start + PAGE_SIZE, 0); const MemoryRegion* region = SearchMemoryRegions(m_moduleMappings, search); if (region != nullptr) { return region->Flags(); } region = SearchMemoryRegions(m_otherMappings, search); if (region != nullptr) { return region->Flags(); } TRACE("GetMemoryRegionFlags: FAILED\n"); return PF_R | PF_W | PF_X; } // // Read raw memory // bool CrashInfo::ReadProcessMemory(void* address, void* buffer, size_t size, size_t* read) { assert(buffer != nullptr); assert(read != nullptr); *read = 0; #ifdef HAVE_PROCESS_VM_READV if (m_canUseProcVmReadSyscall) { iovec local{ buffer, size }; iovec remote{ address, size }; *read = process_vm_readv(m_pid, &local, 1, &remote, 1, 0); } if (!m_canUseProcVmReadSyscall || (*read == (size_t)-1 && (errno == EPERM || errno == ENOSYS))) #endif { // If we've failed, avoid going through expensive syscalls // After all, the use of process_vm_readv is largely as a // performance optimization. m_canUseProcVmReadSyscall = false; assert(m_fdMem != -1); *read = pread64(m_fdMem, buffer, size, (off64_t)address); } if (*read == (size_t)-1) { // Preserve errno for the ELF dump writer call g_readProcessMemoryErrno = errno; TRACE_VERBOSE("ReadProcessMemory FAILED addr: %" PRIA PRIx " size: %zu error: %s (%d)\n", address, size, strerror(g_readProcessMemoryErrno), g_readProcessMemoryErrno); return false; } return true; } // // Get the process or thread status // bool GetStatus(pid_t pid, pid_t* ppid, pid_t* tgid, std::string* name) { char statusPath[128]; snprintf(statusPath, sizeof(statusPath), "/proc/%d/status", pid); FILE *statusFile = fopen(statusPath, "r"); if (statusFile == nullptr) { printf_error("GetStatus fopen(%s) FAILED %s (%d)\n", statusPath, strerror(errno), errno); return false; } *ppid = -1; char *line = nullptr; size_t lineLen = 0; ssize_t read; while ((read = getline(&line, &lineLen, statusFile)) != -1) { if (strncmp("PPid:\t", line, 6) == 0) { *ppid = atoll(line + 6); } else if (strncmp("Tgid:\t", line, 6) == 0) { *tgid = atoll(line + 6); } else if (strncmp("Name:\t", line, 6) == 0) { if (name != nullptr) { char* n = strchr(line + 6, '\n'); if (n != nullptr) { *n = '\0'; } *name = line + 6; } } } free(line); fclose(statusFile); return true; } void ModuleInfo::LoadModule() { if (m_module == nullptr) { m_module = dlopen(m_moduleName.c_str(), RTLD_LAZY); m_localBaseAddress = ((struct link_map*)m_module)->l_addr; } }
[ "noreply@github.com" ]
noreply@github.com
de8e552ad6f1c627ca7e2b8f49511c3e46d3101b
b5b8da7cbcbed21093a7e39894a0b0f5d78ef8c0
/parse.h
81db137d31e319474d4758b68043ed0730341330
[ "MIT" ]
permissive
netsudo/stock-checker
21ea5c62656dda0f46f5ab65ca6c923a7a36580d
a9951833d2e5c7adbf0ce7fe140906aa76a417f3
refs/heads/master
2021-10-09T02:38:10.072308
2017-12-08T04:31:04
2017-12-08T04:31:04
111,071,658
0
0
null
null
null
null
UTF-8
C++
false
false
668
h
#ifndef PARSE_H #define PARSE_H #include <libxml/tree.h> #include <libxml/HTMLparser.h> #include <libxml++/libxml++.h> #include <curlpp/cURLpp.hpp> #include <curlpp/Easy.hpp> #include <curlpp/Options.hpp> #include <curlpp/Infos.hpp> #include <iostream> #include <string> class Parser { public: std::string url; bool validURL(); bool inStock(); private: static const std::string user_agent; static const std::string header_accept; curlpp::Easy request; std::list<std::string> headers; void setHeaders(); void setRequest(); std::string responseStream(); int requestStatusCode(); std::ostringstream performRequest(); }; #endif
[ "netsudo@users.noreply.github.com" ]
netsudo@users.noreply.github.com
24bca95da0a58a016c035e424839728b66916345
b3a693cb2c15f95133876f74a640ec585b7a0f62
/CommonLounge/Variation.cpp
1e13e924439ecf54c8f93829f11d095e27567361
[]
no_license
singhsanket143/CppCompetitiveRepository
1a7651553ef69fa407d85d789c7c342f9a4bd8e9
6e69599ff57e3c9dce4c4d35e60c744f8837c516
refs/heads/master
2022-06-23T01:42:38.811581
2022-06-16T13:17:15
2022-06-16T13:17:15
138,698,312
349
148
null
2021-03-06T18:46:58
2018-06-26T07:06:16
C++
UTF-8
C++
false
false
383
cpp
#include <bits/stdc++.h> using namespace std; int main(int argc, char const *argv[]) { long long int n, k; cin>>n>>k; long long int arr[n]; for(long long int i=0;i<n;i++) { cin>>arr[i]; } sort(arr, arr+n); long long int result=0, i=0, j=0; while(i<n and j<n) { if(abs(arr[i]-arr[j])<k) { j++; } else { result+= n-j; i++; } } cout<<result; return 0; }
[ "singhsanket143@gmail.com" ]
singhsanket143@gmail.com
3d82c7adae340ebfe08f00a5c4a1f5be63d12445
eb667f1737a67feb07bf2d1298ff6757526ee8fb
/494 Target Sum/Target Sum.cpp
71a69062a3a94ec6a67411e9f0fd039a12478787
[]
no_license
yukeyi/LeetCode
bb3313a868e9aedada3fe157c6307b00d32a09c9
79d37be2aefd674e885a5bdc6dac0a5adf02f91c
refs/heads/master
2021-04-18T22:18:26.085485
2019-06-09T06:25:29
2019-06-09T06:25:29
126,930,413
0
1
null
null
null
null
UTF-8
C++
false
false
1,525
cpp
// Brute Force class Solution { public: int ans; int findTargetSumWays(vector<int>& nums, int S) { if(nums.size() == 0) return 0; ans = 0; DFS(nums, 0, S); return ans; } void DFS(vector<int>& nums, int from, int S) { if(from == nums.size()-1) { if(nums[from] == S) ans++; if(nums[from] == -S) ans++; return; } DFS(nums, from+1, S+nums[from]); DFS(nums, from+1, S-nums[from]); } }; // Dynamic Programming class Solution { public: int ans; int findTargetSumWays(vector<int>& nums, int S) { if(S<0) S*=-1; if(S > 1000) return 0; vector<int> temp(1501,0); vector<vector<int>> res(2, temp); res[0][500] = 1; int pos = 0; for(int i = 0; i < nums.size()-1; i++) { for(int j = 0;j<=1500;j++) { res[1-pos][j] = 0; if(j+nums[i]<=1500) res[1-pos][j] += res[pos][j+nums[i]]; if(j-nums[i]>=0) res[1-pos][j] += res[pos][j-nums[i]]; } pos = 1-pos; } int j = S+500; int i = nums.size()-1; int ans = 0; if(j+nums[i]<=1500) ans += res[pos][j+nums[i]]; if(j-nums[i]>=0) ans += res[pos][j-nums[i]]; return ans; } };
[ "yukeyi14@163.com" ]
yukeyi14@163.com
6f968a192801847831cadbd94ecc88e8993ea803
efb0d8e9d0111bb3c33b832041efcf18ebb9e923
/3073.cpp
00a43451c111470047fd017af5bf66679c13972c
[]
no_license
sejinik/BOJ
f0307f8e9bee9d1210db47df309126b49bb1390b
45cb123f073233d5cdec8bbca7b26dd5ae539f13
refs/heads/master
2020-03-18T12:42:01.694263
2018-05-24T17:04:19
2018-05-24T17:04:19
134,739,551
0
0
null
null
null
null
UTF-8
C++
false
false
3,373
cpp
#include <iostream> #include <algorithm> #include <queue> #include <vector> #include <cstring> using namespace std; struct MCMF { struct Edge { int to, cap, cost; Edge*rev; Edge(int to, int cap, int cost) : to(to), cap(cap), cost(cost) {} }; int n; int source, sink; vector<vector<Edge*>> Graph; vector<bool> check; vector<int> dist; vector<pair<int, int>> from; int inf = 1e9; MCMF(int n, int source, int sink) : n(n), source(source), sink(sink) { Graph.resize(n); check.resize(n); from.resize(n, { -1,-1 }); dist.resize(n); } void add_edge(int u, int v, int cap, int cost) { Edge* ori = new Edge(v, cap, cost); Edge*rev = new Edge(u, 0, -cost); ori->rev = rev; rev->rev = ori; Graph[u].push_back(ori); Graph[v].push_back(rev); } void add_edge_from_source(int v, int cap, int cost) { add_edge(source, v, cap, cost); } void add_edge_to_sink(int u, int cap, int cost) { add_edge(u, sink, cap, cost); } bool spfa(int&total_flow, int &total_cost) { fill(check.begin(), check.end(), false); fill(dist.begin(), dist.end(), inf); fill(from.begin(), from.end(), make_pair(-1, -1)); dist[source] = 0; queue<int> q; q.push(source); while (!q.empty()) { int x = q.front(); q.pop(); check[x] = false; for (int i = 0; i < Graph[x].size(); i++) { auto e = Graph[x][i]; int y = e->to; if (e->cap > 0 && dist[x] + e->cost < dist[y]) { dist[y] = dist[x] + e->cost; from[y] = { x,i }; if (!check[y]) { check[y] = true; q.push(y); } } } } if (dist[sink] == inf) return false; int x = sink; int c = Graph[from[x].first][from[x].second]->cap; while (from[x].first != -1) { c = min(c, Graph[from[x].first][from[x].second]->cap); x = from[x].first; } x = sink; while (from[x].first != -1) { auto e = Graph[from[x].first][from[x].second]; e->cap -= c; e->rev->cap += c; x = from[x].first; } total_flow += c; total_cost += c*dist[sink]; return true; } pair<int, int> flow() { int total_flow = 0; int total_cost = 0; while (spfa(total_flow, total_cost)); return { total_flow,total_cost }; } }; char map[111][111]; bool check[111][111]; int d[111][111]; int dx[4] = { 0,0,-1,1 }; int dy[4] = { 1,-1,0,0 }; int n, m; int main() { while (scanf(" %d %d", &n, &m) != -1) { if (n == 0 && m == 0) return 0; memset(map, 0, sizeof(map)); for (int i = 0; i < n; i++) scanf(" %s", &map[i]); MCMF mf(n*m + 3, n*m + 1, n*m + 2); for (int i = 0; i < n; i++) { for (int j = 0; j < m; j++) { if (map[i][j] == 'm') { mf.add_edge_from_source(i*m + j, 1, 0); memset(check, 0, sizeof(check)); memset(d, 0, sizeof(d)); queue<pair<int, int>> q; q.push({ i,j }); check[i][j] = true; while (!q.empty()) { int x = q.front().first; int y = q.front().second; if (map[x][y] == 'H') mf.add_edge(i*m + j, x*m+y, 1, d[x][y]); q.pop(); for (int k = 0; k < 4; k++) { int nx = x + dx[k]; int ny = y + dy[k]; if (0 <= nx && nx < n && 0 <= ny && ny < m) { if (!check[nx][ny]) { check[nx][ny] = true; d[nx][ny] = d[x][y] + 1; q.push({ nx,ny }); } } } } } else if (map[i][j] == 'H') mf.add_edge_to_sink(i*m + j, 1, 0); } } pair<int, int> ans = mf.flow(); printf("%d\n",ans.second); } }
[ "sejinik@naver.com" ]
sejinik@naver.com
1174d3c3cfc82b07ad12cbc8efdf1ba031dde4ca
9d7b758dd5815cac3e92123941763439d5948141
/ControllerApp/Classes/Native/AssemblyU2DCSharp_GvrProfile_Lenses2112994543.h
5327b94c3cbee287155d466adfa92441c9e9cf39
[]
no_license
kongriley/TronVR
083758ec925bfca541376f9f6a250d70b6082208
4819148343616a1327f3e5eec7d14d2cfeca7abe
refs/heads/master
2021-01-19T08:46:30.256678
2017-04-08T16:42:03
2017-04-08T16:42:03
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,164
h
#pragma once #include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <stdint.h> #include "mscorlib_System_ValueType3507792607.h" #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // GvrProfile/Lenses struct Lenses_t2112994543 { public: // System.Single GvrProfile/Lenses::separation float ___separation_0; // System.Single GvrProfile/Lenses::offset float ___offset_1; // System.Single GvrProfile/Lenses::screenDistance float ___screenDistance_2; // System.Int32 GvrProfile/Lenses::alignment int32_t ___alignment_3; public: inline static int32_t get_offset_of_separation_0() { return static_cast<int32_t>(offsetof(Lenses_t2112994543, ___separation_0)); } inline float get_separation_0() const { return ___separation_0; } inline float* get_address_of_separation_0() { return &___separation_0; } inline void set_separation_0(float value) { ___separation_0 = value; } inline static int32_t get_offset_of_offset_1() { return static_cast<int32_t>(offsetof(Lenses_t2112994543, ___offset_1)); } inline float get_offset_1() const { return ___offset_1; } inline float* get_address_of_offset_1() { return &___offset_1; } inline void set_offset_1(float value) { ___offset_1 = value; } inline static int32_t get_offset_of_screenDistance_2() { return static_cast<int32_t>(offsetof(Lenses_t2112994543, ___screenDistance_2)); } inline float get_screenDistance_2() const { return ___screenDistance_2; } inline float* get_address_of_screenDistance_2() { return &___screenDistance_2; } inline void set_screenDistance_2(float value) { ___screenDistance_2 = value; } inline static int32_t get_offset_of_alignment_3() { return static_cast<int32_t>(offsetof(Lenses_t2112994543, ___alignment_3)); } inline int32_t get_alignment_3() const { return ___alignment_3; } inline int32_t* get_address_of_alignment_3() { return &___alignment_3; } inline void set_alignment_3(int32_t value) { ___alignment_3 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif
[ "wfrankw9@gmail.com" ]
wfrankw9@gmail.com
ed3353b16771aa4a3ce4dc7624e4bd04b848c150
27aa8aa5e2d6c09153c0db28c84e61302ceb80d0
/src/system_usage.h
b5aabc1f6cdcf0cc5dfced6fc84b2c048772dfba
[]
no_license
cogsys-tuebingen/csapex_system_information
01f4b80222b79085df5a3cf87ca89c489a73c734
2de255920971de5ddb414fc827bd16ff63a0126a
refs/heads/master
2021-01-12T08:00:54.416124
2017-01-17T19:00:27
2017-01-17T19:00:27
77,094,692
0
0
null
null
null
null
UTF-8
C++
false
false
1,119
h
#ifndef SYSTEMUSAGE_H #define SYSTEMUSAGE_H /// PROJECT #include <csapex/nodes/note.h> #include <csapex/utility/ticker.h> #include <csapex/model/connector_type.h> #include <csapex/param/output_progress_parameter.h> #include <chrono> #include "read_system_information.hpp" namespace csapex { class SystemUsage : public csapex::Node, public Ticker { public: SystemUsage(); virtual void setup(NodeModifier &node_modifier) override; virtual void setupParameters(Parameterizable &parameters) override; virtual void process() override; private: virtual void tickEvent() override; using clock = std::chrono::system_clock; using time_point = clock::time_point; using ms = std::chrono::duration<double, std::milli>; std::map<std::string, param::OutputProgressParameter::Ptr> cpu_loads_; param::OutputProgressParameter::Ptr ram_usage_; double update_interval_; time_point last_update_; system_information::system_info::Ptr system_info_; }; } #endif // SYSTEMUSAGE_H
[ "Richard.Hanten@uni-tuebingen.de" ]
Richard.Hanten@uni-tuebingen.de
671334d0a492002c1f2912fd9f0f7c0a0f44ea94
c6c5a2d96e089e2be8cbea57c8edf2b0d403ce28
/mex/design_filter_for_zero_crossing/mex/mex_filter.cpp
49ddfc110a73797ae34a8a2dd5f827a357eed130
[]
no_license
1056451066/matlab-useful
add645b9d84b13e74c78fcf2fcc4ac1946a4fa10
0c57cef596b21e8065bb37eebf6c4095e047635d
refs/heads/master
2021-05-28T06:20:16.394051
2014-08-22T14:30:41
2014-08-22T14:30:41
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,862
cpp
/*========================================================== * mex_filter.cpp * 24.06.2014 15:45 Nazarovsky A.E. * * don't forget to setup compiler in MATLAB using mex - setup * This is a MEX-file for MATLAB. * Copyright 1984-2009 The MathWorks, Inc. * *========================================================*/ /* $Revision: 1.5.4.4 $ */ #include "mex.h" extern void _main(); /* The computational routine */ #include "filter.h" void call_filter(double *Y, double *X, int N ) { int k; float x; float y; for (k=0;k<N;k++){ x=X[k]; y=filter(x); Y[k]=y; } } void mexFunction( int nlhs, mxArray *plhs[], int nrhs, const mxArray *prhs[]) { double *input_values; /* 1xN input matrix */ double *output_values; /* 1xN output matrix */ size_t n; /* size of matrix */ /* Check for proper number of arguments */ if (nrhs != 1) { mexErrMsgIdAndTxt("MATLAB:mex_filter:nargin", " requires three input arguments."); } else if (nlhs > 1) { mexErrMsgIdAndTxt("MATLAB:mex_filter:nargout", " requires 1 output argument."); } /* make sure the first input argument is type double */ if( !mxIsDouble(prhs[0]) || mxIsComplex(prhs[0])) { mexErrMsgIdAndTxt("MATLAB:mex_filter:notDouble","input vector must be type double."); } /* create a pointer to the real data in the input matrix 1 */ input_values = mxGetPr(prhs[0]); /* get dimensions of the input matrices */ n = mxGetN(prhs[0]); /* create the output matrix */ plhs[0] = mxCreateDoubleMatrix(1,(mwSize)n,mxREAL); /* get a pointer to the real data in the output matrix */ output_values = mxGetPr(plhs[0]); /* call the computational routine */ call_filter(output_values,input_values,n); return; }
[ "nazarovsky@gmail.com" ]
nazarovsky@gmail.com
f866bb0b5d007c9f4dba64f3b03cbadc47a7a180
41a76318e5b9eef2c69bbf922724f8b191d7d124
/kokkos/core/src/eti/OpenMP/Kokkos_OpenMP_ViewCopyETIInst_int_float_LayoutLeft_Rank5.cpp
2e9084c72a68223d45ff0ecb0f6ee60173d508e1
[ "BSD-3-Clause", "BSD-2-Clause" ]
permissive
zishengye/compadre
d0ff10deca224284e7e153371a738e053e66012a
75b738a6a613c89e3c3232cbf7b2589a6b28d0a3
refs/heads/master
2021-06-25T06:16:38.327543
2021-04-02T02:08:48
2021-04-02T02:08:48
223,650,267
0
0
NOASSERTION
2019-11-23T20:41:03
2019-11-23T20:41:02
null
UTF-8
C++
false
false
2,516
cpp
//@HEADER // ************************************************************************ // // Kokkos v. 3.0 // Copyright (2020) National Technology & Engineering // Solutions of Sandia, LLC (NTESS). // // Under the terms of Contract DE-NA0003525 with NTESS, // the U.S. Government retains certain rights in this software. // // Kokkos is licensed under 3-clause BSD terms of use: // // 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. Neither the name of the Corporation nor the names of the // contributors may be used to endorse or promote products derived from // this software without specific prior written permission. // // THIS SOFTWARE IS PROVIDED BY SANDIA CORPORATION "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 SANDIA CORPORATION OR THE // 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. // // Questions? Contact Christian R. Trott (crtrott@sandia.gov) // // ************************************************************************ //@HEADER #define KOKKOS_IMPL_COMPILING_LIBRARY true #include <Kokkos_Core.hpp> namespace Kokkos { namespace Impl { KOKKOS_IMPL_VIEWCOPY_ETI_INST(float*****, LayoutLeft, LayoutRight, OpenMP, int) KOKKOS_IMPL_VIEWCOPY_ETI_INST(float*****, LayoutLeft, LayoutLeft, OpenMP, int) KOKKOS_IMPL_VIEWCOPY_ETI_INST(float*****, LayoutLeft, LayoutStride, OpenMP, int) KOKKOS_IMPL_VIEWFILL_ETI_INST(float*****, LayoutLeft, OpenMP, int) } // namespace Impl } // namespace Kokkos
[ "pakuber@sandia.gov" ]
pakuber@sandia.gov
7dfa2b7557c578fbae3c2b3bf8e208e2de5fa05d
49f6ad12733d490a898826772ba0a72165c90d52
/src/qt/askpassphrasedialog.cpp
172ab3d9619cb70abd0b57436d156a07ebfeee32
[ "MIT" ]
permissive
Kiwi45/crixcoin
e77208d718a3f3a038e7c41dbe4bdf18a63629c1
a7489373b1ecba50cf369a671077f2b41238d096
refs/heads/master
2020-06-23T17:20:06.877400
2019-07-25T08:42:07
2019-07-25T08:42:07
198,693,788
0
0
null
null
null
null
UTF-8
C++
false
false
9,914
cpp
// Copyright (c) 2011-2013 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 "askpassphrasedialog.h" #include "ui_askpassphrasedialog.h" #include "guiconstants.h" #include "walletmodel.h" #include <QMessageBox> #include <QPushButton> #include <QKeyEvent> AskPassphraseDialog::AskPassphraseDialog(Mode mode, QWidget *parent) : QDialog(parent), ui(new Ui::AskPassphraseDialog), mode(mode), model(0), fCapsLock(false) { ui->setupUi(this); ui->passEdit1->setMaxLength(MAX_PASSPHRASE_SIZE); ui->passEdit2->setMaxLength(MAX_PASSPHRASE_SIZE); ui->passEdit3->setMaxLength(MAX_PASSPHRASE_SIZE); // Setup Caps Lock detection. ui->passEdit1->installEventFilter(this); ui->passEdit2->installEventFilter(this); ui->passEdit3->installEventFilter(this); switch(mode) { case Encrypt: // Ask passphrase x2 ui->passLabel1->hide(); ui->passEdit1->hide(); ui->warningLabel->setText(tr("Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>.")); setWindowTitle(tr("Encrypt wallet")); break; case Unlock: // Ask passphrase ui->warningLabel->setText(tr("This operation needs your wallet passphrase to unlock the wallet.")); ui->passLabel2->hide(); ui->passEdit2->hide(); ui->passLabel3->hide(); ui->passEdit3->hide(); setWindowTitle(tr("Unlock wallet")); break; case Decrypt: // Ask passphrase ui->warningLabel->setText(tr("This operation needs your wallet passphrase to decrypt the wallet.")); ui->passLabel2->hide(); ui->passEdit2->hide(); ui->passLabel3->hide(); ui->passEdit3->hide(); setWindowTitle(tr("Decrypt wallet")); break; case ChangePass: // Ask old passphrase + new passphrase x2 setWindowTitle(tr("Change passphrase")); ui->warningLabel->setText(tr("Enter the old and new passphrase to the wallet.")); break; } textChanged(); connect(ui->passEdit1, SIGNAL(textChanged(QString)), this, SLOT(textChanged())); connect(ui->passEdit2, SIGNAL(textChanged(QString)), this, SLOT(textChanged())); connect(ui->passEdit3, SIGNAL(textChanged(QString)), this, SLOT(textChanged())); } AskPassphraseDialog::~AskPassphraseDialog() { // Attempt to overwrite text so that they do not linger around in memory ui->passEdit1->setText(QString(" ").repeated(ui->passEdit1->text().size())); ui->passEdit2->setText(QString(" ").repeated(ui->passEdit2->text().size())); ui->passEdit3->setText(QString(" ").repeated(ui->passEdit3->text().size())); delete ui; } void AskPassphraseDialog::setModel(WalletModel *model) { this->model = model; } void AskPassphraseDialog::accept() { SecureString oldpass, newpass1, newpass2; if(!model) return; oldpass.reserve(MAX_PASSPHRASE_SIZE); newpass1.reserve(MAX_PASSPHRASE_SIZE); newpass2.reserve(MAX_PASSPHRASE_SIZE); // TODO: get rid of this .c_str() by implementing SecureString::operator=(std::string) // Alternately, find a way to make this input mlock()'d to begin with. oldpass.assign(ui->passEdit1->text().toStdString().c_str()); newpass1.assign(ui->passEdit2->text().toStdString().c_str()); newpass2.assign(ui->passEdit3->text().toStdString().c_str()); switch(mode) { case Encrypt: { if(newpass1.empty() || newpass2.empty()) { // Cannot encrypt with empty passphrase break; } QMessageBox::StandardButton retval = QMessageBox::question(this, tr("Confirm wallet encryption"), tr("Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR CRIXCOINS</b>!") + "<br><br>" + tr("Are you sure you wish to encrypt your wallet?"), QMessageBox::Yes|QMessageBox::Cancel, QMessageBox::Cancel); if(retval == QMessageBox::Yes) { if(newpass1 == newpass2) { if(model->setWalletEncrypted(true, newpass1)) { QMessageBox::warning(this, tr("Wallet encrypted"), "<qt>" + tr("Crixcoin will close now to finish the encryption process. " "Remember that encrypting your wallet cannot fully protect " "your crixcoins from being stolen by malware infecting your computer.") + "<br><br><b>" + tr("IMPORTANT: Any previous backups you have made of your wallet file " "should be replaced with the newly generated, encrypted wallet file. " "For security reasons, previous backups of the unencrypted wallet file " "will become useless as soon as you start using the new, encrypted wallet.") + "</b></qt>"); QApplication::quit(); } else { QMessageBox::critical(this, tr("Wallet encryption failed"), tr("Wallet encryption failed due to an internal error. Your wallet was not encrypted.")); } QDialog::accept(); // Success } else { QMessageBox::critical(this, tr("Wallet encryption failed"), tr("The supplied passphrases do not match.")); } } else { QDialog::reject(); // Cancelled } } break; case Unlock: if(!model->setWalletLocked(false, oldpass)) { QMessageBox::critical(this, tr("Wallet unlock failed"), tr("The passphrase entered for the wallet decryption was incorrect.")); } else { QDialog::accept(); // Success } break; case Decrypt: if(!model->setWalletEncrypted(false, oldpass)) { QMessageBox::critical(this, tr("Wallet decryption failed"), tr("The passphrase entered for the wallet decryption was incorrect.")); } else { QDialog::accept(); // Success } break; case ChangePass: if(newpass1 == newpass2) { if(model->changePassphrase(oldpass, newpass1)) { QMessageBox::information(this, tr("Wallet encrypted"), tr("Wallet passphrase was successfully changed.")); QDialog::accept(); // Success } else { QMessageBox::critical(this, tr("Wallet encryption failed"), tr("The passphrase entered for the wallet decryption was incorrect.")); } } else { QMessageBox::critical(this, tr("Wallet encryption failed"), tr("The supplied passphrases do not match.")); } break; } } void AskPassphraseDialog::textChanged() { // Validate input, set Ok button to enabled when acceptable bool acceptable = false; switch(mode) { case Encrypt: // New passphrase x2 acceptable = !ui->passEdit2->text().isEmpty() && !ui->passEdit3->text().isEmpty(); break; case Unlock: // Old passphrase x1 case Decrypt: acceptable = !ui->passEdit1->text().isEmpty(); break; case ChangePass: // Old passphrase x1, new passphrase x2 acceptable = !ui->passEdit1->text().isEmpty() && !ui->passEdit2->text().isEmpty() && !ui->passEdit3->text().isEmpty(); break; } ui->buttonBox->button(QDialogButtonBox::Ok)->setEnabled(acceptable); } bool AskPassphraseDialog::event(QEvent *event) { // Detect Caps Lock key press. if (event->type() == QEvent::KeyPress) { QKeyEvent *ke = static_cast<QKeyEvent *>(event); if (ke->key() == Qt::Key_CapsLock) { fCapsLock = !fCapsLock; } if (fCapsLock) { ui->capsLabel->setText(tr("Warning: The Caps Lock key is on!")); } else { ui->capsLabel->clear(); } } return QWidget::event(event); } bool AskPassphraseDialog::eventFilter(QObject *object, QEvent *event) { /* Detect Caps Lock. * There is no good OS-independent way to check a key state in Qt, but we * can detect Caps Lock by checking for the following condition: * Shift key is down and the result is a lower case character, or * Shift key is not down and the result is an upper case character. */ if (event->type() == QEvent::KeyPress) { QKeyEvent *ke = static_cast<QKeyEvent *>(event); QString str = ke->text(); if (str.length() != 0) { const QChar *psz = str.unicode(); bool fShift = (ke->modifiers() & Qt::ShiftModifier) != 0; if ((fShift && *psz >= 'a' && *psz <= 'z') || (!fShift && *psz >= 'A' && *psz <= 'Z')) { fCapsLock = true; ui->capsLabel->setText(tr("Warning: The Caps Lock key is on!")); } else if (psz->isLetter()) { fCapsLock = false; ui->capsLabel->clear(); } } } return QDialog::eventFilter(object, event); }
[ "noesslek@Kevins-MBP-2.fritz.box" ]
noesslek@Kevins-MBP-2.fritz.box
f891e4f3fa007cfa889cd3fddc7a08d9033ab3a8
ac7cba99059cba94258defe0de4d93274d225e46
/cfg/LocalRef.h
815b84be398904b7d94b08d9a2e92822b7b1b895
[ "Apache-2.0" ]
permissive
sonologico/sorbet
d4d0296097aa65109b30a6f8459a37ecf6f50dc0
4e3021a5eae379a8c2238006b00062b5fb83d631
refs/heads/master
2023-01-03T03:03:56.561740
2020-10-17T02:03:34
2020-10-18T08:05:25
269,880,793
0
0
Apache-2.0
2020-06-06T05:39:41
2020-06-06T05:39:40
null
UTF-8
C++
false
false
1,393
h
#ifndef SORBET_CFG_LOCALREF_H #define SORBET_CFG_LOCALREF_H #include "core/LocalVariable.h" namespace sorbet::cfg { class CFG; class LocalRef final { int _id; public: LocalRef() : _id(0){}; LocalRef(int id) : _id(id){}; LocalRef(const LocalRef &) = default; LocalRef(LocalRef &&) = default; LocalRef &operator=(LocalRef &&) = default; LocalRef &operator=(const LocalRef &) = default; core::LocalVariable data(const CFG &cfg) const; int id() const { return this->_id; } int minLoops(const CFG &cfg) const; int maxLoopWrite(const CFG &cfg) const; bool exists() const; bool isAliasForGlobal(const core::GlobalState &gs, const CFG &cfg) const; bool isSyntheticTemporary(const core::GlobalState &gs, const CFG &cfg) const; std::string toString(const core::GlobalState &gs, const CFG &cfg) const; std::string showRaw(const core::GlobalState &gs, const CFG &cfg) const; bool operator==(const LocalRef &rhs) const; bool operator!=(const LocalRef &rhs) const; static LocalRef noVariable(); static LocalRef blockCall(); static LocalRef selfVariable(); static LocalRef unconditional(); static LocalRef finalReturn(); }; CheckSize(LocalRef, 4, 4); template <typename H> H AbslHashValue(H h, const LocalRef &m) { return H::combine(std::move(h), m.id()); } } // namespace sorbet::cfg #endif
[ "noreply@github.com" ]
noreply@github.com
66d9ccb70ca11daf99b8f874151a6e1e65b4e7a5
d4ba636068fc2ffbb45f313012103afb9080c4e3
/NuGenDimension/GEOMETROS_NUGENDIMENSION/sgCoreWrapper/sgCoreWrapper/sgCoreWrapper/Structs/msgUserDynamicDataStruct.h
47f9d02c43817f2c07d745cb91209500992e2df5
[]
no_license
SHAREVIEW/GenXSource
785ae187531e757860748a2e49d9b6a175c97402
5e5fe1d5816560ac41a117210fd40a314536f7a4
refs/heads/master
2020-07-20T22:05:24.794801
2019-09-06T05:00:39
2019-09-06T05:00:39
206,716,265
0
0
null
2019-09-06T05:00:12
2019-09-06T05:00:12
null
UTF-8
C++
false
false
919
h
#pragma once #include "sgCore/sgDefs.h" #include <vcclr.h> using namespace System; namespace sgCoreWrapper { namespace Structs { class msgUserDynamicDataStructHelper; public ref struct msgUserDynamicDataStruct abstract { public: msgUserDynamicDataStruct(); ~msgUserDynamicDataStruct() { this->!msgUserDynamicDataStruct(); } !msgUserDynamicDataStruct(); virtual void Save() = 0; internal: msgUserDynamicDataStructHelper* _msgUserDynamicDataStructHelper; }; class msgUserDynamicDataStructHelper : public SG_USER_DYNAMIC_DATA { public: msgUserDynamicDataStructHelper(msgUserDynamicDataStruct^ msgUserDynamicData) { _msgUserDynamicData = msgUserDynamicData; } virtual void Finalize() { _msgUserDynamicData->Save(); } private: gcroot<msgUserDynamicDataStruct^> _msgUserDynamicData; }; } }
[ "nystrom.anthony@gmail.com" ]
nystrom.anthony@gmail.com
ca6d31ba120a65d4c710f1d9e81c20e2cd3e1058
63b15515c81558e856ed47e2b30325d33274962e
/SubStruct/tpzgensubstruct.cpp
7ac18950d29dd114e36ca9ed788c9e7f2b0fd505
[]
no_license
diogocecilio/neopz-master
eb14d4b6087e9655763440934d67b419f781d1a0
7fb9346f00afa883ccf4d07e3ac0af466dfadce1
refs/heads/master
2022-04-04T21:44:17.897614
2019-10-25T20:34:47
2019-10-25T20:34:47
null
0
0
null
null
null
null
UTF-8
C++
false
false
32,313
cpp
/** * @file * @brief Contains the implementation of the TPZGenSubStruct methods. */ #include "tpzgensubstruct.h" #include "pzgengrid.h" #include "pzgmesh.h" #include "pzcmesh.h" #include "pzbndcond.h" #include "TPZGeoElement.h" #include "pzgeopoint.h" #include "pzrefpoint.h" #include "pzsubcmesh.h" #include "tpznodesetcompute.h" #include "pzmetis.h" #include "tpzdohrmatrix.h" #include "tpzdohrsubstruct.h" #include "tpzdohrsubstructCondense.h" #include "tpzverysparsematrix.h" #include "pzanalysis.h" #include "pzskylstrmatrix.h" #include "pzsubcmesh.h" #include "tpzpairstructmatrix.h" #include "tpzmatredstructmatrix.h" #include "pzlog.h" #include "TPZfTime.h" #include "TPZTimeTemp.h" #include <sstream> #ifdef LOG4CXX static LoggerPtr logger(Logger::getLogger("substruct.gensubstruct")); #endif TPZGenSubStruct::TPZGenSubStruct(int dimension, int numlevels, int substructlevel) : fMatDist(DistMaterial),fK(8,1.), fDimension(dimension), fNumLevels(numlevels),fSubstructLevel(substructlevel) { } TPZGenSubStruct::~TPZGenSubStruct() { } #ifndef STATE_COMPLEX /// Coordinates of the eight nodes REAL co[8][3] = { {0.,0.,0.}, {1.,0.,0.}, {1.,1.,0.}, {0.,1.,0.}, {0.,0.,1.}, {1.,0.,1.}, {1.,1.,1.}, {0.,1.,1.} }; #include "pzpoisson3d.h" // method which will generate the computational mesh TPZAutoPointer<TPZCompMesh> TPZGenSubStruct::GenerateMesh() { std::cout << "Generating mesh\n"; TPZGeoMesh *gmesh = new TPZGeoMesh; if(fDimension == 2) { TPZVec<int> nx(2,1); TPZVec<REAL> x0(3,0.),x1(3,1.); x1[2] = 0.; TPZGenGrid gen(nx,x0,x1,1,0.); gen.Read(gmesh); } else if(fDimension == 3) { int ic; gmesh->NodeVec().Resize(8); TPZVec<REAL> noco(3); TPZVec<long> nodeindices(8); for(ic=0; ic<8; ic++) { nodeindices[ic] = ic; int i; for(i=0; i<3; i++) { noco[i] = co[ic][i]; } gmesh->NodeVec()[ic].Initialize(noco,*gmesh); } int matid = 1; long index; gmesh->CreateGeoElement(ECube,nodeindices,matid,index,0); } this->fCMesh = new TPZCompMesh(gmesh); TPZVec<long> nodeindices(1,0); new TPZGeoElement<pzgeom::TPZGeoPoint,pzrefine::TPZRefPoint> (nodeindices,-1,*gmesh); TPZVec<REAL> convdir(fDimension,1.); TPZMatPoisson3d *matp; int imat; for(imat=0; imat<fK.NElements(); imat++) { matp = new TPZMatPoisson3d(imat+1,fDimension); matp->SetInternalFlux(1.); matp->SetParameters(fK[imat],0.,convdir); { TPZMaterial * mat (matp); fCMesh->InsertMaterialObject(mat); } } TPZMaterial * mat (fCMesh->FindMaterial(1)); TPZFMatrix<STATE> val1(1,1,0.),val2(1,1,0.); TPZBndCond *bc = new TPZBndCond(mat,-1,0,val1,val2); TPZMaterial * matbc(bc); fCMesh->InsertMaterialObject(matbc); gmesh->BuildConnectivity(); std::cout << "Uniform refine "; std::cout.flush(); UniformRefine(); std::cout << "AutoBuild "; std::cout.flush(); fCMesh->AutoBuild(); std::cout << "Number of equations " << fCMesh->NEquations() << std::endl; //tempo.fNumEq = fCMesh->NEquations(); // alimenta timeTemp com o numero de equacoes #ifdef LOG4CXX { std::stringstream str; fCMesh->Print(str); LOGPZ_DEBUG(logger,str.str()); } #endif // std::cout << "Identifying corner nodes\n"; // IdentifyCornerNodes(); return fCMesh; } #endif // divide the geometric elements till num levels is achieved void TPZGenSubStruct::UniformRefine() { TPZGeoMesh *gmesh = fCMesh->Reference(); int il; for(il=0; il<fNumLevels; il++) { std::cout << il << ' '; std::cout.flush(); int nel = gmesh->NElements(); int iel; int nk = fK.NElements(); for(iel=0; iel<nel; iel++) { TPZGeoEl *gel = gmesh->ElementVec()[iel]; if(gel->Level() < fNumLevels && !gel->HasSubElement() && gel->Dimension() > 0) { TPZVec<TPZGeoEl *> subel(4); gel->Divide(subel); if(fMatDist == DistMaterial) { if(il == 0 && gel->MaterialId() == 1) { int nsub = subel.NElements(); int is; for(is=0; is<nsub; is++) { subel[is]->SetMaterialId(1+is%nk); } } } else { if(gel->MaterialId() > 0) { int nsub = subel.NElements(); int is; for(is=0; is<nsub; is++) { subel[is]->SetMaterialId(1+(rand()%nk)); } } } } } } } // divide the elements in substructures void TPZGenSubStruct::SubStructure() { TPZfTime timesubstructuring; // init of timer for substructuring mesh TPZGeoMesh *gmesh = fCMesh->Reference(); int nel = gmesh->NElements(); int iel; for(iel=0; iel<nel; iel++) { TPZGeoEl *gel = gmesh->ElementVec()[iel]; if(gel->Level() == this->fSubstructLevel) { TPZStack<TPZCompElSide> subels; TPZGeoElSide gelside(gel,gel->NSides()-1); gmesh->ResetReference(); fCMesh->LoadReferences(); gelside.HigherLevelCompElementList2(subels,0,0); int nelstack = subels.NElements(); if(!nelstack) { TPZCompElSide celside = gelside.Reference(); if(celside.Element()) { subels.Push(celside); nelstack = 1; } } long index; TPZCompMesh *cmesh = fCMesh.operator->(); TPZSubCompMesh *submesh = new TPZSubCompMesh(*cmesh,index); std::cout << '*'; std::cout.flush(); int sub; for(sub=0; sub<nelstack; sub++) { if(subels[sub].Reference().Dimension() == fDimension) { submesh->TransferElement(cmesh,subels[sub].Element()->Index()); #ifdef PZDEBUG submesh->VerifyDatastructureConsistency(); #endif } } submesh->ExpandSolution(); } } std::cout << timesubstructuring.ReturnTimeString(); // end of timer for substructuring mesh // transfer the point load // find the point elements nel = fCMesh->NElements(); TPZCompEl *celpoint = 0; for(iel=0; iel<nel; iel++) { TPZCompEl *cel = fCMesh->ElementVec()[iel]; if(!cel) continue; if(cel->Dimension() == 0) { celpoint = cel; break; } } if(celpoint) { int conindex = celpoint->ConnectIndex(0); for(iel=0; iel<nel; iel++) { TPZCompEl *cel = fCMesh->ElementVec()[iel]; if(!cel) continue; TPZSubCompMesh *submesh = dynamic_cast<TPZSubCompMesh *>(cel); if(!submesh) continue; int nc = submesh->NConnects(); int ic; for(ic=0; ic<nc; ic++) { if(submesh->ConnectIndex(ic) == conindex) { submesh->TransferElement(fCMesh.operator->(),celpoint->Index()); celpoint = 0; conindex = -1; break; } } if(!celpoint) break; } } //#define MAKEINTERNAL #ifdef MAKEINTERNAL std::cout << "Making Internal"; // make all nodes internal nel = fCMesh->NElements(); std::cout << "Make all Internal \n"; TPZfTime timeformakeallinternal; // init for timer fCMesh->ComputeNodElCon(); for(iel=0; iel<nel; iel++) { TPZCompEl *cel = fCMesh->ElementVec()[iel]; if(!cel) continue; TPZSubCompMesh *submesh = dynamic_cast<TPZSubCompMesh *>(cel); if(!submesh) continue; std::cout << '-'; std::cout.flush(); submesh->MakeAllInternal(); } std::cout << " == Finished\n"; fCMesh->CleanUpUnconnectedNodes(); std::cout << timeformakeallinternal.ReturnTimeString(); #endif } // identify cornernodes void TPZGenSubStruct::IdentifyCornerNodes() { #define COMPLETE #ifdef COMPLETE TPZNodesetCompute nodeset; TPZStack<long> elementgraph,elementgraphindex; // fCompMesh->ComputeElGraph(elementgraph,elementgraphindex); int nindep = fCMesh->NIndependentConnects(); // int neq = fCMesh->NEquations(); fCMesh->ComputeElGraph(elementgraph,elementgraphindex); int nel = elementgraphindex.NElements()-1; TPZMetis renum(nel,nindep); //nodeset.Print(file,elementgraphindex,elementgraph); std::cout << "Convert Graph "; TPZfTime convertgraph; renum.ConvertGraph(elementgraph,elementgraphindex,nodeset.Nodegraph(),nodeset.Nodegraphindex()); std::cout << convertgraph.ReturnTimeString(); // cout << "nodegraphindex " << nodeset.Nodegraphindex() << endl; // cout << "nodegraph " << nodeset.Nodegraph() << endl; std::cout << "AnalyseGraph "; TPZfTime analysegraph; nodeset.AnalyseGraph(); std::cout << analysegraph.ReturnTimeString(); #ifdef LOG4CXX { std::stringstream str; nodeset.Print(str); LOGPZ_DEBUG(logger,str.str()); } #endif int nnodes = nodeset.Levels().NElements(); int maxlev = nodeset.MaxLevel(); int in; for(in=0; in<nnodes; in++) { if(nodeset.Levels()[in] == maxlev) { // this->fCornerEqs.insert(in); // int seqnum = fCMesh->ConnectVec()[in].SequenceNumber(); int pos = fCMesh->Block().Position(in); int size = fCMesh->Block().Size(in); int ieq; for(ieq=0; ieq<size; ieq++) { this->fCornerEqs.insert(pos+ieq); } } } #else fCMesh->ComputeNodElCon(); int nindep = fCMesh->NIndependentConnects(); int in; for(in=0; in<nindep; in++) { if(fCMesh->ConnectVec()[in].NElConnected() > 2 && fDimension == 2 || fCMesh->ConnectVec()[in].NElConnected() > 4 && fDimension == 3 ) { int seqnum = fCMesh->ConnectVec()[in].SequenceNumber(); int pos = fCMesh->Block().Position(seqnum); int size = fCMesh->Block().Size(seqnum); int ieq; for(ieq=0; ieq<size; ieq++) { this->fCornerEqs.insert(pos+ieq); } } } #endif #ifdef LOG4CXX { std::stringstream str; str << "number of corner indices " << fCornerEqs.size() << std::endl; str << " corner connect indices "; std::set<int>::iterator it; for(it=fCornerEqs.begin(); it!=fCornerEqs.end(); it++) { str << *it << " "; } LOGPZ_DEBUG(logger,str.str()); } #endif } // initialize the TPZDohrMatrix structure void TPZGenSubStruct::InitializeDohr(TPZAutoPointer<TPZMatrix<STATE> > dohrmatrix, TPZAutoPointer<TPZDohrAssembly<STATE> > assembly) { //Isolate each subcompmesh and put it in the dohrmann matrix TPZDohrMatrix<STATE,TPZDohrSubstruct<STATE> > *dohr = dynamic_cast<TPZDohrMatrix<STATE,TPZDohrSubstruct<STATE> > *>(dohrmatrix.operator->()); fCMesh->ComputeNodElCon(); int neq = fCMesh->NEquations(); dohr->Resize(neq,neq); // fCornerEqs was initialized during the mesh generation process dohr->SetNumCornerEqs(this->fCornerEqs.size()); int nsub = NSubMesh(fCMesh); assembly->fFineEqs.Resize(nsub); assembly->fCoarseEqs.Resize(nsub); int isub; std::cout << "Computing the system of equations for each substructure\n"; for(isub=0; isub<nsub; isub++) { TPZSubCompMesh *submesh = SubMesh(fCMesh, isub); if(!submesh) { continue; } std::cout << '*'; // creating the substructure HERE std::cout.flush(); TPZAutoPointer<TPZDohrSubstruct<STATE> > substruct = new TPZDohrSubstruct<STATE>(); // for each subcompmesh, reorder the nodes //TPZAnalysis an(submesh); //keep the original sequence numbers of the connects // int nc = submesh->ConnectVec().NElements(); // TPZManVector<int> origseqnum(nc); // int ic; // for(ic=0; ic<nc; ic++) origseqnum[ic] = submesh->ConnectVec()[ic].SequenceNumber(); // compute the stiffness matrix int neq = ((TPZCompMesh *)submesh)->NEquations(); // int neq = substruct->fStiffness->Rows(); substruct->fNEquations = neq; // identify the equation numbers of the submesh std::map<int,int> globinv; // initialize the fGlobalIndex data structure // fGlobalIndex will have -1 entries for internal equations // we need to dismember this (again) in two vectors IdentifyEqNumbers(submesh, substruct->fGlobalEqs,globinv); int next = substruct->fGlobalEqs.NElements(); assembly->fFineEqs[isub].Resize(next); int ieq; for(ieq=0; ieq<next; ieq++) { assembly->fFineEqs[isub][ieq] = substruct->fGlobalEqs[ieq].second; } IdentifyEqNumbers(submesh, substruct->fGlobalIndex,globinv); // initialize the fC matrix // associate each column of the fC matrix with a coarse index IdentifySubCornerEqs(globinv,substruct->fCoarseNodes,substruct->fCoarseIndex); substruct->fC.Redim(substruct->fCoarseNodes.NElements(),neq); for(ieq = 0; ieq<substruct->fCoarseNodes.NElements(); ieq++) { substruct->fC(ieq,substruct->fCoarseNodes[ieq]) = 1.; } int ncoarse = substruct->fCoarseIndex.NElements(); assembly->fCoarseEqs[isub].Resize(ncoarse); for(ieq=0; ieq<ncoarse; ieq++) { assembly->fCoarseEqs[isub][ieq] = substruct->fCoarseIndex[ieq]; } // reorder by internal nodes // the fInternalEqs data structure will not be filled if the connects are made internal // this permutes the nodes of the submesh // This is a lengthy process which should run on the remote processor InitializeMatrices(submesh, substruct, assembly); #ifdef LOG4CXX { std::stringstream sout; /* sout << "Submesh for element " << iel << std::endl; submesh->Print(sout);*/ sout << "Substructure for submesh " << isub << std::endl; substruct->Print(sout); LOGPZ_DEBUG(logger,sout.str()) } #endif dohr->AddSubstruct(substruct); } std::cout << std::endl; } // initialize the TPZDohrMatrix structure void TPZGenSubStruct::InitializeDohrCondense(TPZAutoPointer<TPZMatrix<STATE> > dohrmatrix, TPZAutoPointer<TPZDohrAssembly<STATE> > assembly) { //Isolate each subcompmesh and put it in the dohrmann matrix TPZDohrMatrix<STATE,TPZDohrSubstructCondense<STATE> > *dohr = dynamic_cast<TPZDohrMatrix<STATE,TPZDohrSubstructCondense<STATE> > *>(dohrmatrix.operator->()); fCMesh->ComputeNodElCon(); int neq = fCMesh->NEquations(); dohr->Resize(neq,neq); // fCornerEqs was initialized during the mesh generation process dohr->SetNumCornerEqs(this->fCornerEqs.size()); int nsub = NSubMesh(fCMesh); assembly->fFineEqs.Resize(nsub); assembly->fCoarseEqs.Resize(nsub); int isub; std::cout << "Computing the system of equations for each substructure\n"; for(isub=0; isub<nsub; isub++) { TPZSubCompMesh *submesh = SubMesh(fCMesh, isub); if(!submesh) { continue; } std::cout << '*'; // creating the substructure HERE std::cout.flush(); TPZAutoPointer<TPZDohrSubstructCondense<STATE> > substruct = new TPZDohrSubstructCondense<STATE>(); // compute the stiffness matrix int neq = ((TPZCompMesh *)submesh)->NEquations(); // int neq = substruct->fStiffness->Rows(); substruct->fNEquations = neq; // identify the equation numbers of the submesh std::map<int,int> globinv; // initialize the fGlobalIndex data structure // fGlobalIndex will have -1 entries for internal equations // we need to dismember this (again) in two vectors TPZVec<std::pair<int,int> > globaleqs; IdentifyEqNumbers(submesh, globaleqs ,globinv); int next = globaleqs.NElements(); substruct->fNumExternalEquations = next; assembly->fFineEqs[isub].Resize(next); int ieq; for(ieq=0; ieq<next; ieq++) { assembly->fFineEqs[isub][ieq] = globaleqs[ieq].second; } // initialize the permutations from the mesh enumeration to the external enumeration typedef TPZDohrSubstructCondense<STATE>::ENumbering ENumbering; typedef std::pair<ENumbering,ENumbering> Numberingpair; ENumbering tsub,text,tint; tsub = TPZDohrSubstructCondense<STATE>::Submesh; text = TPZDohrSubstructCondense<STATE>::ExternalFirst; tint = TPZDohrSubstructCondense<STATE>::InternalFirst; TPZVec<int> &toexternal = substruct->fPermutationsScatter[Numberingpair(tsub,text)]; TPZVec<int> &fromexternal = substruct->fPermutationsScatter[Numberingpair(text,tsub)]; toexternal.Resize(neq,-1); fromexternal.Resize(neq,-1); int nel = globaleqs.NElements(); for(ieq=0; ieq<nel; ieq++) { toexternal[globaleqs[ieq].first] = ieq; } int count = nel++; for(ieq=0; ieq<neq; ieq++) { if(toexternal[ieq] == -1) toexternal[ieq] = count++; } for(ieq=0; ieq<neq; ieq++) { fromexternal[toexternal[ieq]] = ieq; } ComputeInternalEquationPermutation(submesh, substruct->fPermutationsScatter[Numberingpair(tsub,tint)], substruct->fPermutationsScatter[Numberingpair(tint,tsub)]); // IdentifyEqNumbers(submesh, substruct->fGlobalIndex,globinv); // initialize the fC matrix // associate each column of the fC matrix with a coarse index IdentifySubCornerEqs(globinv,substruct->fCoarseNodes,assembly->fCoarseEqs[isub]); // int ncoarse = substruct->fCoarseNodes.NElements(); // reorder by internal nodes // the fInternalEqs data structure will not be filled if the connects are made internal // this permutes the nodes of the submesh // This is a lengthy process which should run on the remote processor InitializeMatrices(submesh, substruct, assembly); #ifdef LOG4CXX { std::stringstream sout; sout << "The coarse equations are " << assembly->fCoarseEqs[isub] << std::endl; /* sout << "Submesh for element " << iel << std::endl; submesh->Print(sout);*/ sout << "Substructure for submesh " << isub << std::endl; substruct->Print(sout); LOGPZ_DEBUG(logger,sout.str()) } #endif dohr->AddSubstruct(substruct); } std::cout << std::endl; } // identify the global equations as a pair of local equation and global equation void TPZGenSubStruct::IdentifyEqNumbers(TPZSubCompMesh *sub, TPZVec<std::pair<int,int> > &globaleq, std::map<int,int> &globinv) { int ncon = sub->ConnectVec().NElements(); // ncon is the number of connects of the subcompmesh TPZCompMesh *subcomp = (TPZCompMesh *) sub; globaleq.Resize(subcomp->NEquations(),std::pair<int,int>(-1,-1)); TPZCompMesh *super = fCMesh.operator->(); int count = 0; int ic; #ifdef LOG4CXX_STOP std::stringstream sout; sout << "total submesh connects/glob/loc "; #endif for(ic=0; ic<ncon; ic++) { int glob = sub->NodeIndex(ic,super); // continue is the connect is internal if(glob == -1) continue; int locseq = sub->ConnectVec()[ic].SequenceNumber(); int globseq = super->ConnectVec()[glob].SequenceNumber(); int locpos = sub->Block().Position(locseq); int globpos = super->Block().Position(globseq); int locsize = sub->Block().Size(locseq); // int globsize = super->Block().Size(globseq); int ieq; for(ieq =0; ieq<locsize; ieq++) { #ifdef LOG4CXX_STOP sout << ic << "/" << globpos+ieq << "/" << locpos+ieq << " "; #endif globaleq[count] = std::pair<int,int>(locpos+ieq,globpos+ieq); count++; globinv[globpos+ieq] = locpos+ieq; } } globaleq.Resize(count); #ifdef LOG4CXX_STOP LOGPZ_DEBUG(logger,sout.str()) #endif } // get the global equation numbers of a substructure (and their inverse) void TPZGenSubStruct::IdentifyEqNumbers(TPZSubCompMesh *sub, TPZVec<int> &global, std::map<int,int> &globinv) { int ncon = sub->ConnectVec().NElements(); // ncon is the number of connects of the subcompmesh TPZCompMesh *subcomp = (TPZCompMesh *) sub; global.Resize(subcomp->NEquations(),-1); TPZCompMesh *super = fCMesh.operator->(); int ic; #ifdef LOG4CXX_STOP std::stringstream sout; sout << "total submesh connects/glob/loc "; #endif for(ic=0; ic<ncon; ic++) { int glob = sub->NodeIndex(ic,super); // continue is the connect is internal if(glob == -1) continue; int locseq = sub->ConnectVec()[ic].SequenceNumber(); int globseq = super->ConnectVec()[glob].SequenceNumber(); int locpos = sub->Block().Position(locseq); int globpos = super->Block().Position(globseq); int locsize = sub->Block().Size(locseq); // int globsize = super->Block().Size(globseq); int ieq; for(ieq =0; ieq<locsize; ieq++) { #ifdef LOG4CXX_STOP sout << ic << "/" << globpos+ieq << "/" << locpos+ieq << " "; #endif global[locpos+ieq] = globpos+ieq; globinv[globpos+ieq] = locpos+ieq; } } #ifdef LOG4CXX_STOP LOGPZ_DEBUG(logger,sout.str()) #endif } /*! \fn TPZGenSubStruct::ReorderInternalNodes(TPZSubCompMesh *sub) */ void TPZGenSubStruct::ReorderInternalNodes(TPZSubCompMesh *sub,std::map<int,int> &globaltolocal, TPZVec<int> &internalnodes) { TPZVec<long> permute; sub->PermuteInternalFirst(permute); int ninternal = this->NInternalEq(sub); internalnodes.Resize(ninternal); // this datastructure will not be initialized if the connects are made internal internalnodes.Fill(-1); int ncon = sub->ConnectVec().NElements(); TPZCompMesh *super = fCMesh.operator->(); #ifdef LOG4CXX_STOP std::stringstream sout; sout << "internal submesh connects/glob/loc "; #endif int ic; for(ic=0; ic<ncon; ic++) { int glob = sub->NodeIndex(ic,super); if(glob == -1) continue; int locseq = sub->ConnectVec()[ic].SequenceNumber(); int globseq = super->ConnectVec()[glob].SequenceNumber(); int locpos = sub->Block().Position(locseq); int globpos = super->Block().Position(globseq); int locsize = sub->Block().Size(locseq); // int globsize = super->Block().Size(globseq); int ieq; for(ieq =0; ieq<locsize; ieq++) { if(locpos+ieq < ninternal) { #ifdef LOG4CXX_STOP sout << ic << "/" << globpos+ieq << "/" << locpos+ieq << " "; #endif internalnodes[locpos+ieq] = globaltolocal[globpos+ieq]; } } } #ifdef LOG4CXX_STOP LOGPZ_DEBUG(logger,sout.str()) #endif } // computes the permutation vectors from the subcompmesh ordening to the "internal first" ordering // the mesh is modified during this method but is returned to its original state at the end of execution void TPZGenSubStruct::ComputeInternalEquationPermutation(TPZSubCompMesh *sub, TPZVec<int> &scatterpermute, TPZVec<int> &gatherpermute) { // This permutation vector is with respect to the blocks of the mesh TPZVec<long> scatterpermuteblock; sub->ComputePermutationInternalFirst(scatterpermuteblock); TPZBlock<STATE> destblock = sub->Block(); TPZBlock<STATE> &origblock = sub->Block(); int nblocks = origblock.NBlocks(); if(scatterpermuteblock.NElements() != origblock.NBlocks()) { std::cout << __PRETTY_FUNCTION__ << " something seriously wrong!!!\n"; } int ib; for(ib=0; ib<nblocks; ib++) { destblock.Set(scatterpermuteblock[ib],origblock.Size(ib)); } destblock.Resequence(); int neq = ((TPZCompMesh *)sub)->NEquations(); scatterpermute.Resize(neq); gatherpermute.Resize(neq); scatterpermute.Fill(-1); gatherpermute.Fill(-1); int ncon = sub->ConnectVec().NElements(); #ifdef LOG4CXX_STOP std::stringstream sout; sout << "internal submesh connects/glob/loc "; #endif int ic; for(ic=0; ic<ncon; ic++) { // skip dependent connects TPZConnect &con = sub->ConnectVec()[ic]; if(con.HasDependency() || con.IsCondensed()) continue; int locseq = sub->ConnectVec()[ic].SequenceNumber(); // skip unused connects if(locseq < 0) continue; int destseq = scatterpermuteblock[locseq]; int locpos = origblock.Position(locseq); int destpos = destblock.Position(destseq); int size = origblock.Size(locseq); // int globsize = super->Block().Size(globseq); int ieq; for(ieq =0; ieq<size; ieq++) { #ifdef LOG4CXX_STOP sout << ic << "/" << locpos+ieq << "/" << destpos+ieq << " "; #endif scatterpermute[locpos+ieq] = destpos+ieq; } } int ieq; for(ieq = 0; ieq < neq; ieq++) { gatherpermute[scatterpermute[ieq]] = ieq; } #ifdef LOG4CXX_STOP LOGPZ_DEBUG(logger,sout.str()) #endif } /*! \fn TPZGenSubStruct::ReorderInternalNodes(TPZSubCompMesh *sub) */ void TPZGenSubStruct::ReorderInternalNodes2(TPZSubCompMesh *sub, TPZVec<int> &internaleqs, TPZVec<long> &blockinvpermute) { TPZBlock<STATE> prevblock = sub->Block(); // This permutation vector is with respect to the blocks of the mesh TPZVec<long> permute; sub->PermuteInternalFirst(permute); blockinvpermute.Resize(permute.NElements()); int i; for(i=0; i<permute.NElements(); i++) { blockinvpermute[permute[i]] = i; } int ninternal = NInternalEq(sub); internaleqs.Resize(ninternal); // this datastructure will not be initialized if the connects are made internal internaleqs.Fill(-1); int ncon = sub->ConnectVec().NElements(); #ifdef LOG4CXX_STOP std::stringstream sout; sout << "internal submesh connects/glob/loc "; #endif int ic; for(ic=0; ic<ncon; ic++) { int locseq = sub->ConnectVec()[ic].SequenceNumber(); int origseq = blockinvpermute[locseq]; int locpos = sub->Block().Position(locseq); int origpos = prevblock.Position(origseq); int size = sub->Block().Size(locseq); // int globsize = super->Block().Size(globseq); int ieq; for(ieq =0; ieq<size; ieq++) { if(locpos+ieq < ninternal) { #ifdef LOG4CXX_STOP sout << ic << "/" << globpos+ieq << "/" << locpos+ieq << " "; #endif internaleqs[locpos+ieq] = origpos+ieq; } } } #ifdef LOG4CXX_STOP LOGPZ_DEBUG(logger,sout.str()) #endif } // Identify the corner equations associated with a substructure void TPZGenSubStruct::IdentifySubCornerEqs(std::map<int,int> &globaltolocal, TPZVec<int> &cornereqs, TPZVec<int> &coarseindex) { #ifdef LOG4CXX { std::stringstream sout; sout << "Input data for IdentifySubCornerEqs \nglobaltolocal"; std::map<int,int>::iterator mapit; for(mapit = globaltolocal.begin(); mapit != globaltolocal.end(); mapit++) { sout << " [" << mapit->first << " , " << mapit->second << "] "; } sout << "\nCorner equations stored in the GenSubStructure data "; std::set<int>::iterator setit; for(setit = fCornerEqs.begin(); setit != fCornerEqs.end(); setit++) { sout << *setit << " , "; } sout << "\ncornereqs " << cornereqs; LOGPZ_DEBUG(logger,sout.str()) } #endif // REESCREVER ESTA PARTE std::set<int>::iterator it; std::list<int> subcorn,coarseindexlist; int count = 0; // the corner equations are all corner equations of the supermesh // globaltolocal is the map of one particular submesh for(it = fCornerEqs.begin(); it!= fCornerEqs.end(); it++,count++) { if(globaltolocal.find(*it) != globaltolocal.end()) { subcorn.push_back(globaltolocal[*it]); coarseindexlist.push_back(count); } } std::list<int>::iterator lit; cornereqs.Resize(subcorn.size()); coarseindex.Resize(coarseindexlist.size()); count = 0; for(lit=subcorn.begin(); lit != subcorn.end(); lit++) { cornereqs[count++] = *lit; } count = 0; for(lit = coarseindexlist.begin(); lit != coarseindexlist.end(); lit++) { coarseindex[count++] = *lit; } } /*! \fn TPZGenSubStruct::NInternalEq(TPZSubCompMesh *sub) */ long TPZGenSubStruct::NInternalEq(TPZSubCompMesh *sub) { std::list<long> internal; sub->PotentialInternal(internal); std::list<long>::iterator it; long result = 0; for(it=internal.begin(); it != internal.end(); it++) { long seq = sub->ConnectVec()[*it].SequenceNumber(); long sz = sub->Block().Size(seq); result += sz; } return result; } // This is a lengthy process which should run on the remote processor void InitializeMatrices(TPZSubCompMesh *submesh, TPZAutoPointer<TPZDohrSubstruct<STATE> > substruct, TPZDohrAssembly<STATE> &dohrassembly) { // this should happen in the remote processor TPZSkylineStructMatrix skylstr(submesh); TPZAutoPointer<TPZGuiInterface> toto = new TPZGuiInterface; skylstr.EquationFilter().Reset(); substruct->fStiffness = TPZAutoPointer<TPZMatrix<STATE> > (skylstr.CreateAssemble(substruct->fLocalLoad,toto)); // This should happen in the remote processor substruct->fInvertedStiffness.SetMatrix(substruct->fStiffness->Clone()); substruct->fInvertedStiffness.SetDirect(ECholesky); TPZManVector<long> invpermute; TPZGenSubStruct::ReorderInternalNodes2(submesh,substruct->fInternalEqs,invpermute); // compute the stiffness matrix associated with the internal nodes // fInternalEqs indicates the permutation of the global equations to the numbering of the internal equations // this is meaningless if the internal nodes are invisible to the global structure long ninternal = substruct->fInternalEqs.NElements(); // THIS SHOULD HAPPEN IN THE REMOTE PROCESSOR skylstr.SetEquationRange(0,ninternal); TPZFMatrix<STATE> rhs; substruct->fInvertedInternalStiffness.SetMatrix(skylstr.CreateAssemble(rhs,toto)); substruct->fInvertedInternalStiffness.SetDirect(ECholesky); // put back the original sequence numbers of the connects (otherwise we can't apply a load solution submesh->Permute(invpermute); } // This is a lengthy process which should run on the remote processor void InitializeMatrices(TPZSubCompMesh *submesh, TPZAutoPointer<TPZDohrSubstructCondense<STATE> > substruct, TPZDohrAssembly<STATE> &dohrassembly) { typedef TPZDohrSubstructCondense<STATE>::ENumbering ENumbering; typedef std::pair<ENumbering,ENumbering> pairnumbering; pairnumbering fromsub(TPZDohrSubstructCondense<STATE>::Submesh,TPZDohrSubstructCondense<STATE>::InternalFirst); TPZVec<int> &permutescatter = substruct->fPermutationsScatter[fromsub]; // create a skyline matrix based on the current numbering of the mesh // put the stiffness matrix in a TPZMatRed object to facilitate the computation of phi and zi TPZSkylineStructMatrix skylstr(submesh); skylstr.EquationFilter().Reset(); TPZAutoPointer<TPZMatrix<STATE> > Stiffness = skylstr.Create(); TPZMatRed<STATE,TPZFMatrix<STATE> > *matredbig = new TPZMatRed<STATE, TPZFMatrix<STATE> >(Stiffness->Rows()+substruct->fCoarseNodes.NElements(),Stiffness->Rows()); matredbig->SetK00(Stiffness); substruct->fMatRedComplete = matredbig; TPZVec<long> permuteconnectscatter; substruct->fNumInternalEquations = submesh->NumInternalEquations(); // change the sequencing of the connects of the mesh, putting the internal connects first submesh->PermuteInternalFirst(permuteconnectscatter); // create a "substructure matrix" based on the submesh using a skyline matrix structure as the internal matrix TPZMatRedStructMatrix<TPZSkylineStructMatrix,TPZVerySparseMatrix<STATE> > redstruct(submesh); TPZMatRed<STATE,TPZVerySparseMatrix<STATE> > *matredptr = dynamic_cast<TPZMatRed<STATE,TPZVerySparseMatrix<STATE> > *>(redstruct.Create()); TPZAutoPointer<TPZMatRed<STATE,TPZVerySparseMatrix<STATE> > > matred = matredptr; // create a structural matrix which will assemble both stiffnesses simultaneously TPZPairStructMatrix pairstructmatrix(submesh,permutescatter); // reorder the sequence numbering of the connects to reflect the original ordering TPZVec<long> invpermuteconnectscatter(permuteconnectscatter.NElements()); long iel; for (iel=0; iel < permuteconnectscatter.NElements(); iel++) { invpermuteconnectscatter[permuteconnectscatter[iel]] = iel; } TPZAutoPointer<TPZMatrix<STATE> > InternalStiffness = matredptr->K00(); submesh->Permute(invpermuteconnectscatter); // compute both stiffness matrices simultaneously substruct->fLocalLoad.Redim(Stiffness->Rows(),1); pairstructmatrix.Assemble(Stiffness.operator->(), matredptr, substruct->fLocalLoad); matredbig->SimetrizeMatRed(); matredptr->SimetrizeMatRed(); substruct->fWeights.Resize(Stiffness->Rows()); long i; for(i=0; i<substruct->fWeights.NElements(); i++) { substruct->fWeights[i] = Stiffness->GetVal(i,i); } // Desingularize the matrix without affecting the solution long ncoarse = substruct->fCoarseNodes.NElements(), ic; long neq = Stiffness->Rows(); for(ic=0; ic<ncoarse; ic++) { long coarse = substruct->fCoarseNodes[ic]; Stiffness->operator()(coarse,coarse) += 10.; matredbig->operator()(neq+ic,coarse) = 1.; matredbig->operator()(coarse,neq+ic) = 1.; } //substruct->fStiffness = Stiffness; TPZStepSolver<STATE> *InvertedStiffness = new TPZStepSolver<STATE>(Stiffness); InvertedStiffness->SetMatrix(Stiffness); InvertedStiffness->SetDirect(ECholesky); matredbig->SetSolver(InvertedStiffness); TPZStepSolver<STATE> *InvertedInternalStiffness = new TPZStepSolver<STATE>(InternalStiffness); InvertedInternalStiffness->SetMatrix(InternalStiffness); InvertedInternalStiffness->SetDirect(ECholesky); matredptr->SetSolver(InvertedInternalStiffness); matredptr->SetReduced(); TPZMatRed<STATE,TPZFMatrix<STATE> > *matred2 = new TPZMatRed<STATE,TPZFMatrix<STATE> > (*matredptr); substruct->fMatRed = matred2; } // return the number of submeshes long NSubMesh(TPZAutoPointer<TPZCompMesh> compmesh) { long nel = compmesh->NElements(); TPZCompEl *cel; long iel, count = 0; for(iel=0; iel<nel; iel++) { cel = compmesh->ElementVec()[iel]; if(!cel) continue; TPZSubCompMesh *sub = dynamic_cast<TPZSubCompMesh *>(cel); if(sub) count++; } return count; } // return a pointer to the isub submesh TPZSubCompMesh *SubMesh(TPZAutoPointer<TPZCompMesh> compmesh, int isub) { long nel = compmesh->NElements(); TPZCompEl *cel; long iel, count = 0; for(iel=0; iel<nel; iel++) { cel = compmesh->ElementVec()[iel]; if(!cel) continue; TPZSubCompMesh *sub = dynamic_cast<TPZSubCompMesh *>(cel); if(sub && isub == count) return sub; if(sub) count++; } return NULL; }
[ "cecilio.diogo@gmail.com" ]
cecilio.diogo@gmail.com
5a2db20581f9d2c22f5901c416c63611f10cb976
95c51b986a6666d766e9bc1d991fdca4cb87eca5
/application/AGMEsmp.cpp
f543af39f7bb1e510d58bde51e49a70781e4b514
[]
no_license
jofonsec/MyThesis-Engineering
18c12d4db5ada4cf34d0077337d3f9b21335526a
3f719d2b0518244cb853df63a341057d1b486ce7
refs/heads/master
2021-01-10T09:55:09.787724
2015-10-23T22:45:24
2015-10-23T22:45:24
44,837,898
0
0
null
null
null
null
ISO-8859-1
C++
false
false
11,702
cpp
#include <smp> #include <Individuo.h> #include <IndiInit.h> #include <localizacionEval.h> #include <localizacionEvalPenal.h> #include <individuoCruza.h> #include <individuoCruza1.h> #include <individuoCruza2.h> #include <individuoMutacion1.h> #include <individuoMutacion.h> #include <escenario.h> #include <sys/time.h> #include <graphError.h> #include <GnuplotMonitor.h> using namespace paradiseo::smp; int main (int argc, char* argv[]){ //Primero se debe definir un parser que lee desde la linea de comandos o un archivo eoParser parser(argc, argv); //Se definen los parametros, se leen desde el parser y le asigna el valor //Datos necesarios del escenario de prueba double _min = parser.createParam((double)(0.0), "ValorMinimo", "Delimitacion area de trabajo",'M',"Parametros Escenario").value(); double _max = parser.createParam((double)(20.0), "ValorMaximo", "Delimitacion area de trabajo",'S',"Parametros Escenario").value(); unsigned int NoAnclas = parser.createParam((unsigned int)(10), "Anclas", "Numero de nodos anclas",'A',"Parametros Escenario").value(); unsigned int nodos = parser.createParam((unsigned int)(100), "Nodos", "Total de nodos",'N',"Parametros Escenario").value(); double radio = parser.createParam((double)(5), "Radio", "Radio de comunicacion",'R',"Parametros Escenario").value(); double DisReal[200][200]; double vecAnclas[NoAnclas*2]; //Configuracion parametros algoritmo unsigned int POP_SIZE = parser.createParam((unsigned int)(100), "PopSize", "Tamano de la poblacion",'P',"Parametros Algoritmo").value(); unsigned int numberGeneration = parser.createParam((unsigned int)(1000), "MaxGen", "Criterio de parada, Numero maximo de generaciones",'G',"Parametros Algoritmo").value(); unsigned int Nc = parser.createParam((unsigned int)(2), "Nc", "Constante del operador SBX",'C',"Parametros Algoritmo").value(); double Pcruza = parser.createParam((double)(0.87), "Pcruza", "Probabilidad de cruzamiento SBX",'X',"Parametros Algoritmo").value(); double Pmutation = parser.createParam((double)(0.85), "Pmutacion", "Probabilidad de mutacion de la encapsulacion de SVN y Swap",'Y',"Parametros Algoritmo").value(); double Pmutation1 = parser.createParam((double)(0.85), "Pmutacion1", "Probabilidad de mutacion de SVN",'Z',"Parametros Algoritmo").value(); double Pmutation2 = parser.createParam((double)(0.5), "Pmutacion2", "Probabilidad de mutacion de Swap",'W',"Parametros Algoritmo").value(); double sizeTorneo = parser.createParam((double)(8), "SizeTorneo", "Tamano del torneo para seleccion de individuos",'L',"Parametros Algoritmo").value(); double sizeElist = parser.createParam((double)(2), "SizeElist", "Cantidad de individuos que se conservan",'B',"Parametros Algoritmo").value(); double sizeTorneo1 = parser.createParam((double)(2), "SizeTorneo1", "Tamano del torneo para seleccion de individuos del elitismo",'D',"Parametros Algoritmo").value(); unsigned workersNb = parser.createParam((unsigned)(4), "Trabajadores", "Hilos de ejecucion",'Q',"Parametros Algoritmo").value(); //Parametros de guardado unsigned int setGeneracion = parser.createParam((unsigned int)(100), "setGeneracion", "Cada cuantas generaciones se guarda la poblacion",'T',"Guardar Datos").value(); unsigned int setTime = parser.createParam((unsigned int)(0), "setTime", "Cada cuantos segundos se guarda la configuracion",'I',"Guardar Datos").value(); //Grafica std::string InPut = parser.createParam(std::string("Estadistica.txt"), "Input", "Archivo que contiene el Fitness, Media, DevStand",'o',"Salida - Grafica").value(); bool graficaGnuplot = parser.createParam((bool)(0), "Gnuplot", "Grafica el Fitness y Media, 0 desactivado y 1 activado",'g',"Salida - Grafica").value(); //Termina la ejecucion al consultar la ayuda if (parser.userNeedsHelp()) { parser.printHelp(std::cout); exit(1); } //Verifica el ingreso de las probabilidades if ( (Pcruza < 0) || (Pcruza > 1) ) throw std::runtime_error("Pcruza Invalido"); if ( (Pmutation < 0) || (Pmutation > 1) ) throw std::runtime_error("Pmutation encapsulación Invalido"); if ( (Pmutation1 < 0) || (Pmutation1 > 1) ) throw std::runtime_error("Pmutation de SVN Invalido"); if ( (Pmutation2 < 0) || (Pmutation2 > 1) ) throw std::runtime_error("Pmutation de Swap Invalido"); //Parametro de tiempo struct timeval ti, tf; double tiempo; /**CARGAR EL ESCENARIO**/ //Escenario //Lee desde archivo escenario *pEscenario = new escenario(nodos, NoAnclas); //Matriz de distancia for (int i=0; i<nodos ; i++) {for (int j=0; j<nodos; j++)DisReal[i][j] = pEscenario->obtenerDisRSSI(i,j);} //Posicion Nodos anclas for (int i=0 ; i<NoAnclas*2 ; i++)vecAnclas[i] = pEscenario->obtenerAnclas(i); /**--------------------------------------------------------------**/ //Define la representación (Individuo) Individuo cromosoma; //Para la inicialización del cromosoma, primero se debe definir como se generaran los genes //Se utilizara un generador uniforme, (valor min, valor max) eoUniformGenerator<double> uGen(_min, _max); //Crear el inicializador para los cromosomas, llamado random IndiInit random(nodos*2,uGen); //Generar una subclase de la clase de la función de evaluación localizacionEvalPenal Fitness; //Criterio de parada eoGenContinue<Individuo> parada(numberGeneration); //Es otro criterio de parada en el cual se define el minimo de generaciones y cuantas generaciones sin mejoras //eoSteadyFitContinue<Individuo> parada(10,2); /** CRUZA **/ // Generar los limites para cada gen std::vector<double> min_b; std::vector<double> max_b; for(int i=0; i<nodos*2; i++) { min_b.push_back(_min); max_b.push_back(_max); } eoRealVectorBounds bounds(min_b, max_b); //Inicializar operador de cruce SBX individuoCruza crossover(bounds, Nc); //Cargar cantidad nodos anclas al operador crossover.setNoAnclas(NoAnclas); /** MUTACION **/ //Subclase de mutacion paper IEEE individuoMutacion mutationA(NoAnclas,numberGeneration,nodos,_min,_max); //Mutacion incluida en EO, permite llegar mas rapido a un fitness de 600 individuoMutacion0 mutationB; //Combina operadores de mutacion con su respectivo peso eoPropCombinedMonOp<Individuo> mutation(mutationA, Pmutation1); //0.85 mutation.add(mutationB, Pmutation2); //0.5 //Define un objeto de encapsulación (it contains, the crossover, the crossover rate, the mutation and the mutation rate) -> 1 line eoSGATransform<Individuo> encapsulacion(crossover, Pcruza, mutation, Pmutation); //0.87 //Define el método de selección, selecciona un individuo por cada torneo (en el parentesis se define el tamaño del torneo) eoDetTournamentSelect<Individuo> torneo(sizeTorneo); //Define un "eoSelectPerc" con el torneo como parametro por defecto (permite seleccionar el mejor individuo) eoSelectPerc<Individuo> seleccion(torneo); //Define una estrategia de reemplazo por cada generación //eoGenerationalReplacement<Individuo> reemplazo; ////Otra estrategia de reemplazo con elitismo eoElitism<Individuo> reemplazo(sizeElist,false); //antes 2 //Para utilizar eoElitism se define un eoDetTournamentTruncate para seleccionar los individuos para el elitismo eoDetTournamentTruncate<Individuo> Trunca(sizeTorneo1);// antes 2 //Define una poblacion de Individuos eoPop<Individuo> poblacion; //Cargar la matriz de distancias, cantidad nodos anclas y total de nodos Fitness.guardarDisReal(DisReal, NoAnclas, nodos, radio); //Cargar posiciones nodos anclas Fitness.guardarAnclas(vecAnclas); //Llena la población y evalua cada cromosoma for(int i=0 ; i<POP_SIZE ; i++) { random(cromosoma); Fitness(cromosoma); poblacion.push_back(cromosoma); } //Imprime la población //poblacion.printOn(std::cout); //Imprime un salto de linea std::cout<< std::endl; //Contenedor de clases eoCheckPoint<Individuo> PuntoChequeo(parada); //Cargar el valor de la generacion actual al operador de mutación //Se inicializa el contador de generaciones eoIncrementorParam<unsigned> generationCounter("Gen."); //Se carga el contador de generaciones al operador de mutación mutationA.setGen(& generationCounter); //Se carga el contador de generaciones al objeto eoCheckpoint para contar el número de generaciones PuntoChequeo.add(generationCounter); /** Guardar datos de la población en archivos **/ //Genera un archivo para guardar parametros eoState estado; //eoState outstate; //Guardar todo lo que necesites a la clase hija estado estado.registerObject(poblacion); //Guarda los parametros //outstate.registerObject(parser); //Guarda el tiempo de ejecucion desde la primera generacion eoTimeCounter time; PuntoChequeo.add(time); //Define cada cuantas generaciones se guarda la poblacion eoCountedStateSaver GuardarEstado(setGeneracion,estado,"generacion"); //Define cada cuantas generaciones se guardan los parametros //eoTimedStateSaver GuardarEstado1(setTime,outstate,"parametros"); //Siempre se debe agregar a la clase hija de eoCheckPoint para que se ejecute en cada generacion PuntoChequeo.add(GuardarEstado); //PuntoChequeo.add(GuardarEstado1); //Guardar algunas estadisticas de la poblacion //Muestra el mejor fitness de cada generación eoBestFitnessStat<Individuo> Elmejor("Mejor Fitness"); //La media y stdev eoSecondMomentStats<Individuo> SegundoStat; //Se agrega al eoCheckPoint PuntoChequeo.add(Elmejor); PuntoChequeo.add(SegundoStat); // Guarda los parametros a un archivo eoFileMonitor fileMonitor("stats.xg", " "); PuntoChequeo.add(fileMonitor); fileMonitor.add(generationCounter); //Numero de generaciones fileMonitor.add(time); //Tiempo total de ejecucion desde la primera generacion fileMonitor.add(Elmejor); //Mejor fitness fileMonitor.add(SegundoStat); //Media y desviacion estandar ///** Grafica **/ // eoFileMonitor fileMonitor1(InPut, " "); // fileMonitor1.add(Elmejor); //Mejor fitness // fileMonitor1.add(SegundoStat); //Media y desviacion estandar // PuntoChequeo.add(fileMonitor1); //Agrega al checkpoint // GnuplotMonitor grafica(InPut,graficaGnuplot); //Grafica el fitness y la media // grafica.setGen(& generationCounter); //Carga la generacion // PuntoChequeo.add(grafica); ///**------------------------------------------**/ /** Start GAP with SMP **/ MWModel<eoEasyEA,Individuo> symmetric(workersNb, PuntoChequeo, Fitness, seleccion, encapsulacion, reemplazo, Trunca); //Tiempo inicial gettimeofday(&ti, NULL); //Corre el algoritmo en la poblacion inicializada symmetric(poblacion); //Tiempo Final gettimeofday(&tf, NULL); std::cout << std::endl; //Imprime el mejor cromosoma poblacion.best_element().printOn(std::cout); //std::cout << std::endl; //poblacion.worse_element().printOn(std::cout); std::cout << std::endl; std::cout << std::endl; //Imprime el tiempo de ejecución del algoritmo tiempo = (tf.tv_sec - ti.tv_sec)*1000 + (tf.tv_usec - ti.tv_usec)/1000.0; std::cout <<"Tiempo de ejecucion en milisegundos: " << tiempo << std::endl; std::cout << std::endl; //Se grafica el error y todos los nodos std::string filename="generacion"; graphError error(filename, setGeneracion, numberGeneration, nodos, NoAnclas, _max); std::cout << std::endl; return EXIT_SUCCESS; }
[ "jofonsec.fa@gmail.com" ]
jofonsec.fa@gmail.com
c5c7e340ddee6ef99b1386cd8a67d76069f810af
dc3d9abbef551e37335014b3f78eda51b00b2c0d
/main.cpp
9848fec322616ce35a7b2c4c9e43bde57651ba3d
[]
no_license
stevenberge/textdetectgui
ac60217f5936768bedd906f6993cea8025cc4c83
9736081d3c4086ac4a21c470282569e7ae62ce00
refs/heads/master
2020-05-16T21:17:15.734433
2015-03-25T01:54:09
2015-03-25T01:54:09
32,814,570
0
0
null
null
null
null
UTF-8
C++
false
false
281
cpp
#define _MAIN #include <opencv/highgui.h> #include "mainwindow.h" #include "mainthread.h" #include <QApplication> #include <QFrame> #include <QLabel> #include <QThread> int main( int argc, char** argv ) { QApplication a(argc, argv); MainWindow mw; mw.show(); a.exec(); }
[ "zgxu2008@gmail.com" ]
zgxu2008@gmail.com
224eeac87cf8a8e51f2229e4df5d55b4fde9cd5e
5cd1bfe9aaa2510585afa323339d316939e23c75
/extra/example_user/src/src0.cpp
159c673a09cbcb6905b6861e176b36a7448f04f4
[ "AFL-3.0", "AFL-2.1", "LicenseRef-scancode-unknown-license-reference" ]
permissive
steveire/vittorioromeo.info
cadbc26b4720088b3a57abb4adc966e03af34957
a8c4a39abbd04a6bd3aa1c1b2dc8248848b41e9b
refs/heads/master
2020-12-26T04:27:09.409581
2016-08-09T23:14:57
2016-08-09T23:15:53
65,333,914
0
0
null
2016-08-09T23:02:01
2016-08-09T23:02:01
null
UTF-8
C++
false
false
61
cpp
#include "example_lib/library.hpp" void a() { func0(); }
[ "steveire@gmail.com" ]
steveire@gmail.com
e80154798c14ef17b65b0e805566c45e6a3ecf69
6eb4b776a9bc93b91cee019bbd87e077a6c6f323
/HPCAI.Data/raw_data/cf-1400__bw-__tsamp-0.000256__chans-4096/u4_a2_t12_dm15_r0.h
4d4c278d0a0742cb2795dc3430a44a7cb73c26d3
[]
no_license
Tyranulous/4YP
b48f6f8b559f94a00992e04c737e0c5108364be5
1895079f42158f4649c70c782d4af9c8a7d459ac
refs/heads/master
2023-05-08T07:59:29.262507
2021-05-31T13:42:10
2021-05-31T13:42:10
302,069,212
0
0
null
null
null
null
UTF-8
C++
false
false
2,626
h
#ifndef ASTRO_ACCELERATE_AA_PARAMS_HPP #define ASTRO_ACCELERATE_AA_PARAMS_HPP namespace astroaccelerate { /** * \brief Key parameters used by the codebase at compiletime. * \details Modifying this file requires a recompilation of the codebase. */ //P100 8,14,12,40 #define ACCMAX 350 #define ACCSTEP 11 #define CARD 0 #define NOPSSHIFT 5 #define NOPSLOOP 3 #define NDATAPERLOOP 1 #define BINDIVINT 8 #define BINDIVINF 32 #define CT 32 #define CF 8 #define NOPS 4.0 #define STATST 128 #define STATSLOOP 8 //Added by Karel Adamek #define WARP 32 #define HALF_WARP 16 #define MSD_PARTIAL_SIZE 5 #define MSD_RESULTS_SIZE 3 #define MSD_ELEM_PER_THREAD 8 #define MSD_WARPS_PER_BLOCK 16 #define THR_ELEM_PER_THREAD 4 #define THR_WARPS_PER_BLOCK 4 #define PD_NTHREADS 512 #define PD_NWINDOWS 2 #define PD_MAXTAPS 32 #define PD_SMEM_SIZE 1280 #define PD_FIR_ACTIVE_WARPS 2 #define PD_FIR_NWINDOWS 2 #define MIN_DMS_PER_SPS_RUN 64 #define MSD_PW_NTHREADS 512 /**** FDAS parameters ******/ /*Params for benchmarks */ #define SLIGHT 299792458.0 #define RADIX 1 #define NEXP 10 #define POTWO (1 << NEXP) #define KERNLEN RADIX*POTWO #define ACCEL_STEP (float)(2.0) //1 //default acceleration step #define ACCEL_STEP_R (float)(1.0f/ACCEL_STEP) #define ZMAX 96 #define NKERN (int)(2*ZMAX/(ACCEL_STEP)+1) //NKERN must be calculated from 2*ZMAX/(ACCEL_STEP)+1 //#define ZLO -(int)((ZMAX/ACCEL_STEP) ) #define TBSIZEX 32 #define TBSIZEY 1 #define PTBSIZEX 64 #define PTBSIZEY 1 // for corner turn in shared memory corner_turn_SM(...) #define CT_NTHREADS 512 #define CT_ROWS_PER_WARP 2 #define CT_CORNER_BLOCKS 1 // for periodicity harmonic summing #define PHS_NTHREADS 64 // for power and interbin calculation #define PAI_NTHREADS 512 // Test for FDAS (define it to perform test) //#define FDAS_CONV_TEST //#define FDAS_ACC_SIG_TEST #define DIT_YSTEP 2 #define DIT_ELEMENTS_PER_THREAD 4 //experimental clustering filter #define PPF_PEAKS_PER_BLOCK 10 #define PPF_DPB 128 //radius of search for peak filtering in miliseconds #define PPF_SEARCH_RANGE_IN_MS 15 #define PPF_L1_THREADS_PER_BLOCK 256 #define PPF_L1_SPECTRA_PER_BLOCK 5 // The namespace and header guard are not enclosed. // The profiling script is responsible for adding a closing brace for the namespace, // and an #endif stement to enclose the header guard. // This file must end in a new empty line so that the first definition that the profile // script adds is not on the line of this comment. #define UNROLLS 4 #define SNUMREG 2 #define SDIVINT 12 #define SDIVINDM 15 #define SFDIVINDM 15.0f } // namespace astroaccelerate #endif
[ "joschua@spiedel.co.uk" ]
joschua@spiedel.co.uk
1ca966aaf69edda8d6c6ca1054df591c0aa7372e
e9bdd096490052731ea13ff24a485a140ecb6817
/Server/StaticNFrame/NFComm/NFCore/NFMutex.h
7671ffd1872b0f8b4224a062880d142e11a6579b
[]
no_license
lineCode/StaticNFrame
50820e508667d0cb6c269bbb8af81ccad0b39ab0
246d8e437b83fe7a2e385baf2184a28715e1eb2b
refs/heads/master
2020-05-30T07:35:54.089104
2019-05-31T13:15:12
2019-05-31T13:15:12
null
0
0
null
null
null
null
GB18030
C++
false
false
1,673
h
// ------------------------------------------------------------------------- // @FileName : NFBuffer.h // @Author : GaoYi // @Date : 2018-05-16 // @Email : 445267987@qq.com // @Module : NFCore // // ------------------------------------------------------------------------- #pragma once #include "NFPlatform.h" /** * @brief 线程锁封装,参考google protobuf * */ class _NFExport NFMutex { public: /** * @brief 构造函数. * */ NFMutex(); /** * @brief 析构函数. * */ virtual ~NFMutex(); /** * @brief 锁住线程, 如果有必要直到被解锁,不然会一直堵塞 * Block if necessary until this Mutex is free, then acquire it exclusively. */ void Lock(); /** * @brief 解锁 Release this Mutex. Caller must hold it exclusively. * */ void Unlock(); /** * @brief 如果线程不能完全持有这个锁,会导致崩溃 * Crash if this Mutex is not held exclusively by this thread. * May fail to crash when it should; will never crash when it should not * */ void AssertHeld(); private: /** * @brief 内部结构 * */ struct NFInternal; NFInternal* mInternal; /** * @brief 禁止复制 * */ NF_DISALLOW_EVIL_CONSTRUCTORS(NFMutex); }; /** * @brief 自动释放的线程锁封装,参考google protobuf * */ class NFMutexLock { public: /** * @brief 构造函数. * */ explicit NFMutexLock(NFMutex* mu) : mu_(mu) { this->mu_->Lock(); } /** * @brief 析构函数. * */ ~NFMutexLock() { this->mu_->Unlock(); } private: NFMutex* const mu_; /** * @brief 禁止复制 * */ NF_DISALLOW_EVIL_CONSTRUCTORS(NFMutexLock); };
[ "445267987@qq.com" ]
445267987@qq.com
9014ec46a1b8790160a80cc2e05e5255055324d3
283853c02effbb1b643738561f31f852366ad64a
/danke_core/solution1/.autopilot/db/danke.pragma.0.cpp.ap-line.CXX
263e40b55042375196aebdd7e44b5048ac70518c
[]
no_license
evanlissoos/HLSGraphAcceleration
b41d2a6bafabd20d76d53efae1ce6d826385b3de
745f9f28ad13ee7e9ec744818c6d2cf4d758e9cf
refs/heads/master
2020-04-11T16:34:21.445720
2018-12-16T22:03:46
2018-12-16T22:03:46
161,928,957
6
1
null
null
null
null
UTF-8
C++
false
false
77,156
cxx
#pragma line 1 "danke.cpp" ::: -10 #pragma line 1 "danke.cpp" 1 ::: -9 #pragma line 1 "<built-in>" 1 ::: -8 #pragma line 1 "<built-in>" 3 ::: -7 #pragma line 155 "<built-in>" 3 ::: -6 #pragma line 1 "<command line>" 1 ::: -5 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_op.h" 1 ::: 1 #pragma line 145 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_op.h" ::: 54 #pragma line 156 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_op.h" ::: 57 #pragma line 413 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_op.h" ::: 187 #pragma line 427 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_op.h" ::: 190 #pragma line 7 "<command line>" 2 ::: 192 #pragma line 1 "<built-in>" 2 ::: 193 #pragma line 1 "danke.cpp" 2 ::: 194 #pragma line 1 "./danke.h" 1 ::: 195 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int.h" 1 ::: 199 #pragma line 60 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int.h" ::: 251 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/hls_half.h" 1 ::: 252 #pragma line 32 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/hls_half.h" ::: 273 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 1 3 ::: 274 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 3 ::: 316 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 1 3 ::: 318 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 361 #pragma line 76 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 365 #pragma line 91 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 369 #pragma line 102 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 371 #pragma line 208 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 438 #pragma line 255 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 440 #pragma line 307 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 451 #pragma line 326 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 457 #pragma line 352 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 459 #pragma line 390 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 3 ::: 489 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/os_defines.h" 1 3 ::: 494 #pragma line 1 "/usr/include/features.h" 1 3 4 ::: 535 #pragma line 144 "/usr/include/features.h" 3 4 ::: 654 #pragma line 213 "/usr/include/features.h" 3 4 ::: 701 #pragma line 224 "/usr/include/features.h" 3 4 ::: 704 #pragma line 284 "/usr/include/features.h" 3 4 ::: 739 #pragma line 390 "/usr/include/features.h" 3 4 ::: 746 #pragma line 1 "/usr/include/stdc-predef.h" 1 3 4 ::: 760 #pragma line 52 "/usr/include/stdc-predef.h" 3 4 ::: 795 #pragma line 403 "/usr/include/features.h" 2 3 4 ::: 805 #pragma line 1 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 1 3 4 ::: 828 #pragma line 49 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 869 #pragma line 83 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 875 #pragma line 117 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 901 #pragma line 133 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 903 #pragma line 157 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 914 #pragma line 184 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 924 #pragma line 244 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 977 #pragma line 262 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 988 #pragma line 308 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 1022 #pragma line 354 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 1052 #pragma line 427 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 1076 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 1077 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 1079 #pragma line 428 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 2 3 4 ::: 1081 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/long-double.h" 1 3 4 ::: 1082 #pragma line 429 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 2 3 4 ::: 1103 #pragma line 462 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 1104 #pragma line 475 "/usr/include/x86_64-linux-gnu/sys/cdefs.h" 3 4 ::: 1110 #pragma line 425 "/usr/include/features.h" 2 3 4 ::: 1118 #pragma line 1 "/usr/include/x86_64-linux-gnu/gnu/stubs.h" 1 3 4 ::: 1143 #pragma line 1 "/usr/include/x86_64-linux-gnu/gnu/stubs-64.h" 1 3 4 ::: 1154 #pragma line 11 "/usr/include/x86_64-linux-gnu/gnu/stubs.h" 2 3 4 ::: 1159 #pragma line 449 "/usr/include/features.h" 2 3 4 ::: 1160 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/os_defines.h" 2 3 ::: 1161 #pragma line 394 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 2 3 ::: 1162 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/cpu_defines.h" 1 3 ::: 1166 #pragma line 397 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++config.h" 2 3 ::: 1195 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 2 3 ::: 2046 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cpp_type_traits.h" 1 3 ::: 2047 #pragma line 36 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cpp_type_traits.h" 3 ::: 2084 #pragma line 198 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cpp_type_traits.h" 3 ::: 2229 #pragma line 422 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cpp_type_traits.h" 3 ::: 2440 #pragma line 44 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 2 3 ::: 2442 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/type_traits.h" 1 3 ::: 2443 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/type_traits.h" 3 ::: 2477 #pragma line 45 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 2 3 ::: 2657 #pragma line 1 "/usr/include/math.h" 1 3 4 ::: 2659 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 1 3 4 ::: 2687 #pragma line 35 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 2713 #pragma line 45 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 2716 #pragma line 28 "/usr/include/math.h" 2 3 4 ::: 2737 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types.h" 1 3 4 ::: 2748 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 2776 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 2778 #pragma line 28 "/usr/include/x86_64-linux-gnu/bits/types.h" 2 3 4 ::: 2780 #pragma line 125 "/usr/include/x86_64-linux-gnu/bits/types.h" 3 4 ::: 2850 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/typesizes.h" 1 3 4 ::: 2857 #pragma line 26 "/usr/include/x86_64-linux-gnu/bits/typesizes.h" 3 4 ::: 2875 #pragma line 77 "/usr/include/x86_64-linux-gnu/bits/typesizes.h" 3 4 ::: 2880 #pragma line 131 "/usr/include/x86_64-linux-gnu/bits/types.h" 2 3 4 ::: 2896 #pragma line 38 "/usr/include/math.h" 2 3 4 ::: 2969 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/math-vector.h" 1 3 4 ::: 2973 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/libm-simd-decl-stubs.h" 1 3 4 ::: 2999 #pragma line 26 "/usr/include/x86_64-linux-gnu/bits/math-vector.h" 2 3 4 ::: 3031 #pragma line 41 "/usr/include/math.h" 2 3 4 ::: 3032 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 1 3 4 ::: 3036 #pragma line 38 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 3 4 ::: 3065 #pragma line 70 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 3 4 ::: 3089 #pragma line 82 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 3 4 ::: 3091 #pragma line 120 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 3 4 ::: 3093 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 1 3 4 ::: 3094 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/long-double.h" 1 3 4 ::: 3119 #pragma line 25 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 2 3 4 ::: 3140 #pragma line 70 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3178 #pragma line 130 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3182 #pragma line 188 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3184 #pragma line 207 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3186 #pragma line 221 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3188 #pragma line 244 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3195 #pragma line 261 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3197 #pragma line 278 "/usr/include/x86_64-linux-gnu/bits/floatn-common.h" 3 4 ::: 3199 #pragma line 121 "/usr/include/x86_64-linux-gnu/bits/floatn.h" 2 3 4 ::: 3201 #pragma line 44 "/usr/include/math.h" 2 3 4 ::: 3202 #pragma line 89 "/usr/include/math.h" 3 4 ::: 3206 #pragma line 108 "/usr/include/math.h" 3 4 ::: 3215 #pragma line 137 "/usr/include/math.h" 3 4 ::: 3217 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/flt-eval-method.h" 1 3 4 ::: 3220 #pragma line 139 "/usr/include/math.h" 2 3 4 ::: 3238 #pragma line 180 "/usr/include/math.h" 3 4 ::: 3251 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/fp-logb.h" 1 3 4 ::: 3263 #pragma line 191 "/usr/include/math.h" 2 3 4 ::: 3281 #pragma line 221 "/usr/include/math.h" 3 4 ::: 3282 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/fp-fast.h" 1 3 4 ::: 3296 #pragma line 234 "/usr/include/math.h" 2 3 4 ::: 3323 #pragma line 289 "/usr/include/math.h" 3 4 ::: 3351 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls-helper-functions.h" 1 3 4 ::: 3352 #pragma line 290 "/usr/include/math.h" 2 3 4 ::: 3396 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 3397 #pragma line 210 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 3599 #pragma line 291 "/usr/include/math.h" 2 3 4 ::: 3787 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls-helper-functions.h" 1 3 4 ::: 3804 #pragma line 307 "/usr/include/math.h" 2 3 4 ::: 3848 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 3849 #pragma line 210 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 4051 #pragma line 308 "/usr/include/math.h" 2 3 4 ::: 4239 #pragma line 341 "/usr/include/math.h" 3 4 ::: 4240 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls-helper-functions.h" 1 3 4 ::: 4250 #pragma line 350 "/usr/include/math.h" 2 3 4 ::: 4294 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 4295 #pragma line 210 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 4497 #pragma line 351 "/usr/include/math.h" 2 3 4 ::: 4685 #pragma line 360 "/usr/include/math.h" 3 4 ::: 4686 #pragma line 389 "/usr/include/math.h" 3 4 ::: 4689 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 4690 #pragma line 195 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 4859 #pragma line 216 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 4867 #pragma line 246 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 4888 #pragma line 390 "/usr/include/math.h" 2 3 4 ::: 5032 #pragma line 406 "/usr/include/math.h" 3 4 ::: 5033 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 5034 #pragma line 195 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5203 #pragma line 216 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5211 #pragma line 246 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5232 #pragma line 407 "/usr/include/math.h" 2 3 4 ::: 5376 #pragma line 440 "/usr/include/math.h" 3 4 ::: 5377 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 5378 #pragma line 195 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5547 #pragma line 216 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5555 #pragma line 246 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5576 #pragma line 441 "/usr/include/math.h" 2 3 4 ::: 5720 #pragma line 457 "/usr/include/math.h" 3 4 ::: 5721 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 1 3 4 ::: 5722 #pragma line 195 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5891 #pragma line 216 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5899 #pragma line 246 "/usr/include/x86_64-linux-gnu/bits/mathcalls.h" 3 4 ::: 5920 #pragma line 458 "/usr/include/math.h" 2 3 4 ::: 6064 #pragma line 488 "/usr/include/math.h" 3 4 ::: 6065 #pragma line 501 "/usr/include/math.h" 3 4 ::: 6068 #pragma line 565 "/usr/include/math.h" 3 4 ::: 6078 #pragma line 607 "/usr/include/math.h" 3 4 ::: 6107 #pragma line 664 "/usr/include/math.h" 3 4 ::: 6149 #pragma line 684 "/usr/include/math.h" 3 4 ::: 6159 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/iscanonical.h" 1 3 4 ::: 6160 #pragma line 685 "/usr/include/math.h" 2 3 4 ::: 6214 #pragma line 754 "/usr/include/math.h" 3 4 ::: 6256 #pragma line 787 "/usr/include/math.h" 3 4 ::: 6274 #pragma line 906 "/usr/include/math.h" 3 4 ::: 6278 #pragma line 950 "/usr/include/math.h" 3 4 ::: 6294 #pragma line 1177 "/usr/include/math.h" 3 4 ::: 6302 #pragma line 1189 "/usr/include/math.h" 3 4 ::: 6305 #pragma line 1246 "/usr/include/math.h" 3 4 ::: 6352 #pragma line 46 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 2 3 ::: 6371 #pragma line 46 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" ::: 6373 #pragma line 76 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 3 ::: 6380 #pragma line 480 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 3 ::: 6772 #pragma line 730 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cmath" 3 ::: 6775 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/hls_half.h" 2 ::: 6889 #pragma line 3272 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/hls_half.h" ::: 6912 #pragma line 61 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int.h" 2 ::: 6988 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" 1 ::: 6989 #pragma line 68 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 7041 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iostream" 1 3 ::: 7042 #pragma line 37 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iostream" 3 ::: 7080 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ostream" 1 3 ::: 7083 #pragma line 38 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ostream" 3 ::: 7122 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 1 3 ::: 7124 #pragma line 37 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 3 ::: 7162 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iosfwd" 1 3 ::: 7164 #pragma line 38 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iosfwd" 3 ::: 7203 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stringfwd.h" 1 3 ::: 7206 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stringfwd.h" 3 ::: 7246 #pragma line 82 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stringfwd.h" 3 ::: 7278 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iosfwd" 2 3 ::: 7283 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 1 3 ::: 7284 #pragma line 40 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 3 ::: 7325 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 1 3 ::: 7327 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 3 ::: 7369 #pragma line 1 "/usr/include/wchar.h" 1 3 4 ::: 7374 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 1 3 4 ::: 7402 #pragma line 35 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 7428 #pragma line 45 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 7431 #pragma line 28 "/usr/include/wchar.h" 2 3 4 ::: 7452 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 1 3 4 ::: 7461 #pragma line 56 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 3 4 ::: 7497 #pragma line 36 "/usr/include/wchar.h" 2 3 4 ::: 7500 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stdarg.h" 1 3 4 ::: 7503 #pragma line 39 "/usr/include/wchar.h" 2 3 4 ::: 7552 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wchar.h" 1 3 4 ::: 7554 #pragma line 41 "/usr/include/wchar.h" 2 3 4 ::: 7586 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/wint_t.h" 1 3 4 ::: 7587 #pragma line 42 "/usr/include/wchar.h" 2 3 4 ::: 7608 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/mbstate_t.h" 1 3 4 ::: 7609 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/__mbstate_t.h" 1 3 4 ::: 7613 #pragma line 5 "/usr/include/x86_64-linux-gnu/bits/types/mbstate_t.h" 2 3 4 ::: 7635 #pragma line 43 "/usr/include/wchar.h" 2 3 4 ::: 7638 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/__FILE.h" 1 3 4 ::: 7639 #pragma line 44 "/usr/include/wchar.h" 2 3 4 ::: 7645 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/FILE.h" 1 3 4 ::: 7648 #pragma line 47 "/usr/include/wchar.h" 2 3 4 ::: 7656 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/locale_t.h" 1 3 4 ::: 7659 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/__locale_t.h" 1 3 4 ::: 7682 #pragma line 40 "/usr/include/x86_64-linux-gnu/bits/types/__locale_t.h" ::: 7725 #pragma line 23 "/usr/include/x86_64-linux-gnu/bits/types/locale_t.h" 2 3 4 ::: 7729 #pragma line 50 "/usr/include/wchar.h" 2 3 4 ::: 7732 #pragma line 67 "/usr/include/wchar.h" 3 4 ::: 7742 #pragma line 335 "/usr/include/wchar.h" 3 4 ::: 7985 #pragma line 411 "/usr/include/wchar.h" 3 4 ::: 8054 #pragma line 426 "/usr/include/wchar.h" 3 4 ::: 8062 #pragma line 511 "/usr/include/wchar.h" 3 4 ::: 8140 #pragma line 529 "/usr/include/wchar.h" 3 4 ::: 8150 #pragma line 549 "/usr/include/wchar.h" 3 4 ::: 8160 #pragma line 669 "/usr/include/wchar.h" 3 4 ::: 8246 #pragma line 723 "/usr/include/wchar.h" 3 4 ::: 8267 #pragma line 857 "/usr/include/wchar.h" 3 4 ::: 8394 #pragma line 46 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 2 3 ::: 8396 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 3 ::: 8404 #pragma line 136 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 3 ::: 8411 #pragma line 258 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 3 ::: 8526 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 2 3 ::: 8538 #pragma line 69 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 3 ::: 8543 #pragma line 98 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 3 ::: 8565 #pragma line 241 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/postypes.h" 3 ::: 8700 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iosfwd" 2 3 ::: 8702 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 8871 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/exception" 1 3 ::: 8872 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/exception" 3 ::: 8908 #pragma line 40 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 9024 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/char_traits.h" 1 3 ::: 9025 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/char_traits.h" 3 ::: 9065 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 1 3 ::: 9067 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/functexcept.h" 1 3 ::: 9129 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/exception_defines.h" 1 3 ::: 9171 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/functexcept.h" 2 3 ::: 9208 #pragma line 62 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 9273 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/numeric_traits.h" 1 3 ::: 9276 #pragma line 32 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/numeric_traits.h" 3 ::: 9309 #pragma line 53 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/numeric_traits.h" 3 ::: 9320 #pragma line 98 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/numeric_traits.h" 3 ::: 9345 #pragma line 65 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 9379 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 1 3 ::: 9380 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/move.h" 1 3 ::: 9441 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/concept_check.h" 1 3 ::: 9476 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/concept_check.h" 3 ::: 9510 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/move.h" 2 3 ::: 9521 #pragma line 109 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/move.h" 3 ::: 9538 #pragma line 61 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 2 3 ::: 9574 #pragma line 85 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 3 ::: 9582 #pragma line 196 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 3 ::: 9608 #pragma line 245 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 3 ::: 9647 #pragma line 270 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_pair.h" 3 ::: 9660 #pragma line 66 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 9669 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_types.h" 1 3 ::: 9670 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_types.h" 3 ::: 9734 #pragma line 162 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_types.h" 3 ::: 9812 #pragma line 67 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 9877 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_funcs.h" 1 3 ::: 9878 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_funcs.h" 3 ::: 9942 #pragma line 200 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator_base_funcs.h" 3 ::: 10056 #pragma line 68 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 10058 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator.h" 1 3 ::: 10059 #pragma line 68 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator.h" 3 ::: 10119 #pragma line 444 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator.h" 3 ::: 10480 #pragma line 534 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator.h" 3 ::: 10555 #pragma line 648 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_iterator.h" 3 ::: 10652 #pragma line 69 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 10907 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/debug/debug.h" 1 3 ::: 10909 #pragma line 71 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 2 3 ::: 10968 #pragma line 135 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11024 #pragma line 319 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11193 #pragma line 357 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11211 #pragma line 494 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11311 #pragma line 522 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11324 #pragma line 552 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11338 #pragma line 669 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_algobase.h" 3 ::: 11414 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/char_traits.h" 2 3 ::: 11953 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 1 3 ::: 11955 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwchar" 3 ::: 11997 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/char_traits.h" 2 3 ::: 11998 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 12329 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/localefwd.h" 1 3 ::: 12330 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/localefwd.h" 3 ::: 12370 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++locale.h" 1 3 ::: 12373 #pragma line 40 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++locale.h" 3 ::: 12414 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/clocale" 1 3 ::: 12416 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/clocale" 3 ::: 12458 #pragma line 1 "/usr/include/locale.h" 1 3 4 ::: 12461 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 1 3 4 ::: 12490 #pragma line 56 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 3 4 ::: 12515 #pragma line 29 "/usr/include/locale.h" 2 3 4 ::: 12518 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/locale.h" 1 3 4 ::: 12519 #pragma line 30 "/usr/include/locale.h" 2 3 4 ::: 12537 #pragma line 50 "/usr/include/locale.h" 3 4 ::: 12543 #pragma line 118 "/usr/include/locale.h" 3 4 ::: 12604 #pragma line 174 "/usr/include/locale.h" 3 4 ::: 12635 #pragma line 44 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/clocale" 2 3 ::: 12658 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++locale.h" 2 3 ::: 12673 #pragma line 88 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++locale.h" 3 ::: 12708 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/localefwd.h" 2 3 ::: 12734 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 1 3 ::: 12736 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 3 ::: 12778 #pragma line 1 "/usr/include/ctype.h" 1 3 4 ::: 12781 #pragma line 1 "/usr/include/endian.h" 1 3 4 ::: 12821 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/endian.h" 1 3 4 ::: 12858 #pragma line 37 "/usr/include/endian.h" 2 3 4 ::: 12860 #pragma line 59 "/usr/include/endian.h" 3 4 ::: 12864 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 1 3 4 ::: 12867 #pragma line 28 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 3 4 ::: 12885 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 12886 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 12888 #pragma line 29 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 2 3 4 ::: 12890 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/byteswap-16.h" 1 3 4 ::: 12898 #pragma line 36 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 2 3 4 ::: 12916 #pragma line 56 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 3 4 ::: 12919 #pragma line 96 "/usr/include/x86_64-linux-gnu/bits/byteswap.h" 3 4 ::: 12922 #pragma line 61 "/usr/include/endian.h" 2 3 4 ::: 12924 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/uintn-identity.h" 1 3 4 ::: 12925 #pragma line 28 "/usr/include/x86_64-linux-gnu/bits/uintn-identity.h" 3 4 ::: 12943 #pragma line 62 "/usr/include/endian.h" 2 3 4 ::: 12965 #pragma line 40 "/usr/include/ctype.h" 2 3 4 ::: 12966 #pragma line 104 "/usr/include/ctype.h" 3 4 ::: 13012 #pragma line 236 "/usr/include/ctype.h" 3 4 ::: 13064 #pragma line 327 "/usr/include/ctype.h" 3 4 ::: 13102 #pragma line 44 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 2 3 ::: 13104 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 3 ::: 13110 #pragma line 44 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/localefwd.h" 2 3 ::: 13127 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 13274 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ios_base.h" 1 3 ::: 13275 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ios_base.h" 3 ::: 13315 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/atomicity.h" 1 3 ::: 13317 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr.h" 1 3 ::: 13352 #pragma line 158 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr.h" 3 ::: 13496 #pragma line 170 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr.h" 3 ::: 13500 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 1 3 ::: 13501 #pragma line 1 "/usr/include/pthread.h" 1 3 4 ::: 13543 #pragma line 1 "/usr/include/sched.h" 1 3 4 ::: 13567 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 1 3 4 ::: 13597 #pragma line 56 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 3 4 ::: 13622 #pragma line 30 "/usr/include/sched.h" 2 3 4 ::: 13625 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/time_t.h" 1 3 4 ::: 13627 #pragma line 32 "/usr/include/sched.h" 2 3 4 ::: 13635 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/struct_timespec.h" 1 3 4 ::: 13636 #pragma line 33 "/usr/include/sched.h" 2 3 4 ::: 13649 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/sched.h" 1 3 4 ::: 13661 #pragma line 27 "/usr/include/x86_64-linux-gnu/bits/sched.h" 3 4 ::: 13680 #pragma line 41 "/usr/include/x86_64-linux-gnu/bits/sched.h" 3 4 ::: 13682 #pragma line 74 "/usr/include/x86_64-linux-gnu/bits/sched.h" 3 4 ::: 13684 #pragma line 44 "/usr/include/sched.h" 2 3 4 ::: 13709 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/cpu-set.h" 1 3 4 ::: 13710 #pragma line 27 "/usr/include/x86_64-linux-gnu/bits/cpu-set.h" 3 4 ::: 13729 #pragma line 115 "/usr/include/x86_64-linux-gnu/bits/cpu-set.h" 3 4 ::: 13748 #pragma line 45 "/usr/include/sched.h" 2 3 4 ::: 13757 #pragma line 120 "/usr/include/sched.h" 3 4 ::: 13795 #pragma line 24 "/usr/include/pthread.h" 2 3 4 ::: 13806 #pragma line 1 "/usr/include/time.h" 1 3 4 ::: 13807 #pragma line 29 "/usr/include/time.h" 3 4 ::: 13828 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 1 3 4 ::: 13829 #pragma line 56 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 3 4 ::: 13854 #pragma line 30 "/usr/include/time.h" 2 3 4 ::: 13857 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/time.h" 1 3 4 ::: 13862 #pragma line 45 "/usr/include/x86_64-linux-gnu/bits/time.h" 3 4 ::: 13896 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/timex.h" 1 3 4 ::: 13926 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/struct_timeval.h" 1 3 4 ::: 13949 #pragma line 23 "/usr/include/x86_64-linux-gnu/bits/timex.h" 2 3 4 ::: 13962 #pragma line 71 "/usr/include/x86_64-linux-gnu/bits/timex.h" 3 4 ::: 13997 #pragma line 85 "/usr/include/x86_64-linux-gnu/bits/timex.h" 3 4 ::: 13999 #pragma line 106 "/usr/include/x86_64-linux-gnu/bits/timex.h" 3 4 ::: 14001 #pragma line 74 "/usr/include/x86_64-linux-gnu/bits/time.h" 2 3 4 ::: 14003 #pragma line 34 "/usr/include/time.h" 2 3 4 ::: 14011 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/clock_t.h" 1 3 4 ::: 14016 #pragma line 38 "/usr/include/time.h" 2 3 4 ::: 14024 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/struct_tm.h" 1 3 4 ::: 14026 #pragma line 40 "/usr/include/time.h" 2 3 4 ::: 14053 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/clockid_t.h" 1 3 4 ::: 14060 #pragma line 47 "/usr/include/time.h" 2 3 4 ::: 14068 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/timer_t.h" 1 3 4 ::: 14069 #pragma line 48 "/usr/include/time.h" 2 3 4 ::: 14077 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/types/struct_itimerspec.h" 1 3 4 ::: 14078 #pragma line 49 "/usr/include/time.h" 2 3 4 ::: 14091 #pragma line 64 "/usr/include/time.h" 3 4 ::: 14093 #pragma line 25 "/usr/include/pthread.h" 2 3 4 ::: 14338 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes.h" 1 3 4 ::: 14340 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/thread-shared-types.h" 1 3 4 ::: 14364 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes-arch.h" 1 3 4 ::: 14442 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 14464 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 14466 #pragma line 22 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes-arch.h" 2 3 4 ::: 14468 #pragma line 50 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes-arch.h" 3 4 ::: 14469 #pragma line 65 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes-arch.h" 3 4 ::: 14471 #pragma line 99 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes-arch.h" 3 4 ::: 14495 #pragma line 78 "/usr/include/x86_64-linux-gnu/bits/thread-shared-types.h" 2 3 4 ::: 14497 #pragma line 118 "/usr/include/x86_64-linux-gnu/bits/thread-shared-types.h" 3 4 ::: 14515 #pragma line 146 "/usr/include/x86_64-linux-gnu/bits/thread-shared-types.h" 3 4 ::: 14534 #pragma line 24 "/usr/include/x86_64-linux-gnu/bits/pthreadtypes.h" 2 3 4 ::: 14566 #pragma line 27 "/usr/include/pthread.h" 2 3 4 ::: 14662 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/setjmp.h" 1 3 4 ::: 14663 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 14690 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 14692 #pragma line 27 "/usr/include/x86_64-linux-gnu/bits/setjmp.h" 2 3 4 ::: 14694 #pragma line 28 "/usr/include/pthread.h" 2 3 4 ::: 14700 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 14701 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 14703 #pragma line 29 "/usr/include/pthread.h" 2 3 4 ::: 14705 #pragma line 113 "/usr/include/pthread.h" 3 4 ::: 14760 #pragma line 155 "/usr/include/pthread.h" 3 4 ::: 14781 #pragma line 658 "/usr/include/pthread.h" 3 4 ::: 15175 #pragma line 681 "/usr/include/pthread.h" 3 4 ::: 15183 #pragma line 716 "/usr/include/pthread.h" 3 4 ::: 15203 #pragma line 1160 "/usr/include/pthread.h" 3 4 ::: 15637 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 2 3 ::: 15639 #pragma line 1 "/usr/include/unistd.h" 1 3 4 ::: 15640 #pragma line 49 "/usr/include/unistd.h" 3 4 ::: 15674 #pragma line 66 "/usr/include/unistd.h" 3 4 ::: 15681 #pragma line 99 "/usr/include/unistd.h" 3 4 ::: 15705 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/posix_opt.h" 1 3 4 ::: 15813 #pragma line 206 "/usr/include/unistd.h" 2 3 4 ::: 16002 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/environments.h" 1 3 4 ::: 16007 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 1 3 4 ::: 16030 #pragma line 13 "/usr/include/x86_64-linux-gnu/bits/wordsize.h" 3 4 ::: 16032 #pragma line 23 "/usr/include/x86_64-linux-gnu/bits/environments.h" 2 3 4 ::: 16034 #pragma line 210 "/usr/include/unistd.h" 2 3 4 ::: 16073 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 1 3 4 ::: 16094 #pragma line 56 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/stddef.h" 3 4 ::: 16119 #pragma line 230 "/usr/include/unistd.h" 2 3 4 ::: 16122 #pragma line 270 "/usr/include/unistd.h" 3 4 ::: 16152 #pragma line 324 "/usr/include/unistd.h" 3 4 ::: 16196 #pragma line 348 "/usr/include/unistd.h" 3 4 ::: 16211 #pragma line 404 "/usr/include/unistd.h" 3 4 ::: 16253 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/confname.h" 1 3 4 ::: 16463 #pragma line 613 "/usr/include/unistd.h" 2 3 4 ::: 17139 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/getopt_posix.h" 1 3 4 ::: 17400 #pragma line 27 "/usr/include/x86_64-linux-gnu/bits/getopt_posix.h" 3 4 ::: 17419 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/getopt_core.h" 1 3 4 ::: 17420 #pragma line 28 "/usr/include/x86_64-linux-gnu/bits/getopt_posix.h" 2 3 4 ::: 17515 #pragma line 49 "/usr/include/x86_64-linux-gnu/bits/getopt_posix.h" 3 4 ::: 17518 #pragma line 873 "/usr/include/unistd.h" 2 3 4 ::: 17520 #pragma line 1006 "/usr/include/unistd.h" 3 4 ::: 17644 #pragma line 1027 "/usr/include/unistd.h" 3 4 ::: 17657 #pragma line 1036 "/usr/include/unistd.h" 3 4 ::: 17659 #pragma line 1092 "/usr/include/unistd.h" 3 4 ::: 17707 #pragma line 1109 "/usr/include/unistd.h" 3 4 ::: 17717 #pragma line 1156 "/usr/include/unistd.h" 3 4 ::: 17756 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 2 3 ::: 17777 #pragma line 81 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17789 #pragma line 118 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17796 #pragma line 183 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17834 #pragma line 239 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17845 #pragma line 657 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17859 #pragma line 800 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr-default.h" 3 ::: 17979 #pragma line 171 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/gthr.h" 2 3 ::: 18054 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/atomicity.h" 2 3 ::: 18063 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/atomic_word.h" 1 3 ::: 18064 #pragma line 36 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/atomicity.h" 2 3 ::: 18110 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/atomicity.h" 3 ::: 18128 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ios_base.h" 2 3 ::: 18175 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.h" 1 3 ::: 18177 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.h" 3 ::: 18217 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 1 3 ::: 18220 #pragma line 38 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 3 ::: 18259 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/allocator.h" 1 3 ::: 18264 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++allocator.h" 1 3 ::: 18313 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/new_allocator.h" 1 3 ::: 18348 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/new" 1 3 ::: 18383 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/new" 3 ::: 18423 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/new_allocator.h" 2 3 ::: 18497 #pragma line 117 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ext/new_allocator.h" 3 ::: 18572 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/c++allocator.h" 2 3 ::: 18589 #pragma line 49 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/allocator.h" 2 3 ::: 18590 #pragma line 237 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/allocator.h" 3 ::: 18725 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 18727 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ostream_insert.h" 1 3 ::: 18730 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ostream_insert.h" 3 ::: 18764 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" 1 3 ::: 18767 #pragma line 34 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" 3 ::: 18802 #pragma line 47 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" ::: 18818 #pragma line 52 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" ::: 18826 #pragma line 53 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" ::: 18830 #pragma line 54 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/cxxabi_forced.h" ::: 18833 #pragma line 36 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ostream_insert.h" 2 3 ::: 18839 #pragma line 46 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 18931 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_function.h" 1 3 ::: 18935 #pragma line 508 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_function.h" 3 ::: 19431 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/backward/binders.h" 1 3 ::: 19656 #pragma line 732 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/stl_function.h" 2 3 ::: 19827 #pragma line 50 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 19828 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/range_access.h" 1 3 ::: 19831 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/range_access.h" 3 ::: 19865 #pragma line 53 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 19866 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 1 3 ::: 19867 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 19907 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/initializer_list" 1 3 ::: 19911 #pragma line 33 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/initializer_list" 3 ::: 19945 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 2 3 ::: 19946 #pragma line 519 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20396 #pragma line 593 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20442 #pragma line 704 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20517 #pragma line 762 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20563 #pragma line 896 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20663 #pragma line 958 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20714 #pragma line 1024 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20769 #pragma line 1076 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20804 #pragma line 1160 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20877 #pragma line 1207 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 20909 #pragma line 1663 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 21346 #pragma line 2417 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.h" 3 ::: 22050 #pragma line 54 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 22385 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.tcc" 1 3 ::: 22386 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.tcc" 3 ::: 22429 #pragma line 241 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_string.tcc" 3 ::: 22620 #pragma line 55 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/string" 2 3 ::: 23546 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.h" 2 3 ::: 23547 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.tcc" 1 3 ::: 24329 #pragma line 37 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.tcc" 3 ::: 24367 #pragma line 823 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_classes.h" 2 3 ::: 24602 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ios_base.h" 2 3 ::: 24603 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 25536 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/streambuf" 1 3 ::: 25537 #pragma line 37 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/streambuf" 3 ::: 25575 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/streambuf.tcc" 1 3 ::: 26347 #pragma line 38 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/streambuf.tcc" 3 ::: 26386 #pragma line 808 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/streambuf" 2 3 ::: 26523 #pragma line 44 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 26524 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.h" 1 3 ::: 26525 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.h" 3 ::: 26561 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 1 3 ::: 26565 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 3 ::: 26605 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwctype" 1 3 ::: 26607 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwctype" 3 ::: 26649 #pragma line 51 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwctype" 3 ::: 26650 #pragma line 1 "/usr/include/wctype.h" 1 3 4 ::: 26651 #pragma line 30 "/usr/include/wctype.h" 3 4 ::: 26673 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/wctype-wchar.h" 1 3 4 ::: 26683 #pragma line 33 "/usr/include/x86_64-linux-gnu/bits/wctype-wchar.h" 3 4 ::: 26705 #pragma line 56 "/usr/include/x86_64-linux-gnu/bits/wctype-wchar.h" 3 4 ::: 26717 #pragma line 39 "/usr/include/wctype.h" 2 3 4 ::: 26834 #pragma line 52 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwctype" 2 3 ::: 26943 #pragma line 81 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cwctype" 3 ::: 26950 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 26978 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 1 3 ::: 26979 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/cctype" 3 ::: 27021 #pragma line 42 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 27022 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/ctype_base.h" 1 3 ::: 27023 #pragma line 43 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 27088 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/streambuf_iterator.h" 1 3 ::: 27095 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/streambuf_iterator.h" 3 ::: 27131 #pragma line 50 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 27497 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/x86_64-unknown-linux-gnu/bits/ctype_inline.h" 1 3 ::: 28960 #pragma line 1512 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 29037 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.tcc" 1 3 ::: 30134 #pragma line 35 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.tcc" 3 ::: 30170 #pragma line 731 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.tcc" 3 ::: 30849 #pragma line 1026 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.tcc" 3 ::: 31126 #pragma line 1153 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.tcc" 3 ::: 31245 #pragma line 2608 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/locale_facets.h" 2 3 ::: 31453 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.h" 2 3 ::: 31454 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.tcc" 1 3 ::: 31889 #pragma line 34 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.tcc" 3 ::: 31924 #pragma line 473 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/basic_ios.h" 2 3 ::: 32078 #pragma line 45 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ios" 2 3 ::: 32079 #pragma line 40 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ostream" 2 3 ::: 32080 #pragma line 585 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ostream" 3 ::: 32606 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ostream.tcc" 1 3 ::: 32610 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/ostream.tcc" 3 ::: 32650 #pragma line 588 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/ostream" 2 3 ::: 33019 #pragma line 40 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iostream" 2 3 ::: 33020 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/istream" 1 3 ::: 33021 #pragma line 38 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/istream" 3 ::: 33060 #pragma line 856 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/istream" 3 ::: 33859 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/istream.tcc" 1 3 ::: 33863 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/bits/istream.tcc" 3 ::: 33903 #pragma line 859 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/istream" 2 3 ::: 34957 #pragma line 41 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/gcc/lib/gcc/x86_64-unknown-linux-gnu/4.6.3/../../../../include/c++/4.6.3/iostream" 2 3 ::: 34958 #pragma line 69 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" 2 ::: 34996 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/limits.h" 1 3 ::: 35001 #pragma line 1 "/usr/include/limits.h" 1 3 4 ::: 35040 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 1 3 4 ::: 35067 #pragma line 35 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 35093 #pragma line 45 "/usr/include/x86_64-linux-gnu/bits/libc-header-start.h" 3 4 ::: 35096 #pragma line 27 "/usr/include/limits.h" 2 3 4 ::: 35117 #pragma line 117 "/usr/include/limits.h" 3 4 ::: 35128 #pragma line 142 "/usr/include/limits.h" 3 4 ::: 35142 #pragma line 182 "/usr/include/limits.h" 3 4 ::: 35146 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/posix1_lim.h" 1 3 4 ::: 35149 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/local_lim.h" 1 3 4 ::: 35310 #pragma line 37 "/usr/include/x86_64-linux-gnu/bits/local_lim.h" 3 4 ::: 35334 #pragma line 1 "/usr/include/linux/limits.h" 1 3 4 ::: 35337 #pragma line 39 "/usr/include/x86_64-linux-gnu/bits/local_lim.h" 2 3 4 ::: 35339 #pragma line 161 "/usr/include/x86_64-linux-gnu/bits/posix1_lim.h" 2 3 4 ::: 35400 #pragma line 184 "/usr/include/limits.h" 2 3 4 ::: 35410 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/posix2_lim.h" 1 3 4 ::: 35414 #pragma line 87 "/usr/include/x86_64-linux-gnu/bits/posix2_lim.h" 3 4 ::: 35475 #pragma line 188 "/usr/include/limits.h" 2 3 4 ::: 35477 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/xopen_lim.h" 1 3 4 ::: 35481 #pragma line 1 "/usr/include/x86_64-linux-gnu/bits/uio_lim.h" 1 3 4 ::: 35546 #pragma line 65 "/usr/include/x86_64-linux-gnu/bits/xopen_lim.h" 2 3 4 ::: 35576 #pragma line 124 "/usr/include/x86_64-linux-gnu/bits/xopen_lim.h" 3 4 ::: 35610 #pragma line 136 "/usr/include/x86_64-linux-gnu/bits/xopen_lim.h" 3 4 ::: 35612 #pragma line 192 "/usr/include/limits.h" 2 3 4 ::: 35614 #pragma line 39 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/limits.h" 2 3 ::: 35615 #pragma line 60 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/limits.h" 3 ::: 35620 #pragma line 90 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/limits.h" 3 ::: 35622 #pragma line 102 "/opt/Xilinx/Vivado_HLS/2017.2/lnx64/tools/clang/bin/../lib/clang/3.1/include/limits.h" 3 ::: 35624 #pragma line 74 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" 2 ::: 35629 #pragma line 111 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 35647 #pragma line 129 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 35650 #pragma line 147 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 35652 #pragma line 184 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 35665 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_dt.def" 1 ::: 35666 #pragma line 185 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" 2 ::: 36705 #pragma line 603 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 36706 #pragma line 646 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 36708 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" 1 ::: 36709 #pragma line 98 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36762 #pragma line 108 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36764 #pragma line 129 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36766 #pragma line 143 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36771 #pragma line 156 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36774 #pragma line 192 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36776 #pragma line 358 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/etc/autopilot_ssdm_bits.h" ::: 36778 #pragma line 647 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" 2 ::: 36780 #pragma line 881 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 37006 #pragma line 920 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 37035 #pragma line 1567 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 37675 #pragma line 1686 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 37782 #pragma line 1820 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 37908 #pragma line 2044 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 38117 #pragma line 2107 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 38172 #pragma line 2509 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 38567 #pragma line 2628 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 38675 #pragma line 2762 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 38801 #pragma line 2991 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39014 #pragma line 3054 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39069 #pragma line 3368 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39358 #pragma line 3403 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39380 #pragma line 3428 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39386 #pragma line 3462 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39399 #pragma line 3498 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39417 #pragma line 3534 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39435 #pragma line 3574 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39453 #pragma line 3628 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39471 #pragma line 3684 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39500 #pragma line 3731 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39529 #pragma line 3798 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39577 #pragma line 3823 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39595 #pragma line 3848 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39613 #pragma line 3893 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39645 #pragma line 4048 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39659 #pragma line 4074 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int_syn.h" ::: 39677 #pragma line 62 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int.h" 2 ::: 39694 #pragma line 1 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" 1 ::: 39695 #pragma line 62 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 39748 #pragma line 81 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 39752 #pragma line 1322 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 40984 #pragma line 1406 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41055 #pragma line 1424 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41065 #pragma line 1555 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41159 #pragma line 1600 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41178 #pragma line 1658 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41199 #pragma line 1690 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41217 #pragma line 1759 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41256 #pragma line 1773 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41259 #pragma line 1808 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41274 #pragma line 1820 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41276 #pragma line 1868 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41295 #pragma line 1882 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41298 #pragma line 1912 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41313 #pragma line 1959 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41347 #pragma line 2232 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41611 #pragma line 2350 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41661 #pragma line 2400 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41679 #pragma line 2485 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41734 #pragma line 2525 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_fixed_syn.h" ::: 41752 #pragma line 63 "/opt/Xilinx/Vivado_HLS/2017.2/common/technology/autopilot/ap_int.h" 2 ::: 41767 #pragma line 5 "./danke.h" 2 ::: 42241 #pragma line 19 "./danke.h" ::: 42246 #pragma line 47 "./danke.h" ::: 42259 #pragma line 89 "./danke.h" ::: 42282 #pragma line 2 "danke.cpp" 2 ::: 42348
[ "lissoos2@illinois.edu" ]
lissoos2@illinois.edu
cbb92c32cf1372436988dfdd7debd7db17302ead
7be8f2a2760ca8d4b849aa94a374dbc30ad6c5b8
/List_2/src/Menu_Package/Command_Package/CalculatorPackage/Commands/Substract.cpp
c3414eba22583afc62b1a0e3630335173063e7f5
[]
no_license
FigBar/ZMPO_Lists
d037d960e40273fdda87e59d2df04bcb8321bfa2
a5f3759422972c63a0c71a0fb4670d9f28e21626
refs/heads/master
2020-03-31T03:41:33.168850
2019-01-02T15:27:01
2019-01-02T15:27:01
151,874,131
0
0
null
null
null
null
UTF-8
C++
false
false
327
cpp
// // Created by fig_bar98 on 25.10.18. // #include "Substract.h" #include <iostream> using namespace std; Substract::Substract(int &a, int &b) : CalculatorCommand(a, b) { } void Substract::runCommand() { cout << "a: " << *a << endl; cout << "b: " << *b << endl; cout << SUBSTRACT_PROMPT << *a - *b << endl; }
[ "bartekfigiel98@gmail.com" ]
bartekfigiel98@gmail.com
28e3e67421f33a95512a08dbfe35887b2c141017
73ab42eadd0588f8f754157ad3dda1f3d7f97578
/06Die Game/Die.hpp
2a24dfa4c1397056de5826360f9598dc350f36c7
[]
no_license
mbenneticha/C-plus-plus
6ecdd6522943934ed69223ecde4bb4741f5de9b7
9e67cd4bea784f5964e654845f748fa6c4499c67
refs/heads/master
2020-07-06T07:29:41.382412
2017-02-13T22:42:32
2017-02-13T22:42:32
66,950,779
0
0
null
null
null
null
UTF-8
C++
false
false
175
hpp
#ifndef Die_H #define Die_H class Die { public: Die(); Die(int user_sides); int Roll(); protected: int num_sides; int rolled_value; }; #endif
[ "Mariam@Mariams-MBP.fios-router.home" ]
Mariam@Mariams-MBP.fios-router.home
6fa12030da2776b0cfcd07d71ceedac7f594a5d9
b8e44f060d05994189ffa8384e3bfd07ee7f3b53
/SphereCollatz.c++
4a16943741fffcb5bf29bfe1a6c63f19a1bb5979
[]
no_license
Kieldro/cs378-collatz
7900a9aef6d9ac1ae5f2e3ae69a994c8c8b4f8c1
ac9afd15e269699650e75f3441e3d1c50615c8c6
refs/heads/master
2021-01-02T09:27:58.946356
2012-06-12T00:54:10
2012-06-12T00:54:10
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,691
// -------------------------- // projects/collatz/Collatz.h // Copyright (C) 2011 // Glenn P. Downing // -------------------------- // -------- // includes // -------- #include <cassert> // assert #include <iostream> // endl, istream, ostream, cin, cout, ios_base // ------- // defines // ------- #ifdef ONLINE_JUDGE #define NDEBUG #endif // ------------ // collatz_read // ------------ /** * reads two ints into i and j * @param r a std::istream * @param i an int by reference * @param j an int by reference * @return true if that succeeds, false otherwise */ bool collatz_read (std::istream& r, int& i, int& j) { r >> i; if (!r) return false; r >> j; assert(i > 0); assert(j > 0); return true;} // ------------- // cycleLength // ------------- /** * prints the values of i, j, and v * @param i the beginning of the range, inclusive * @param j the end of the range, inclusive * @param v the max cycle length */ int cycleLength (int n) { int v = 1; for(int k = n; k != 1;){ if (k % 2){ k = k + (k >> 1) + 1; v += 2; }else{ k /= 2; ++v; } } return v; } // ------------ // collatz_eval // ------------ /** * @param i the beginning of the range, inclusive * @param j the end of the range, inclusive * @return the max cycle length in the range [i, j] */ int collatz_eval (int i, int j) { assert(i > 0); assert(j > 0); if (i > j){ // swap int t = i; i = j; j = t; } // optimize range if (i < j/2){ i = j/2; } int v = 1; for (int x = i; x <= j; ++x){ int cLen = cycleLength(x); if (cLen > v) v = cLen; } assert(v > 0); return v;} // ------------- // collatz_print // ------------- /** * prints the values of i, j, and v * @param w a std::ostream * @param i the beginning of the range, inclusive * @param j the end of the range, inclusive * @param v the max cycle length */ void collatz_print (std::ostream& w, int i, int j, int v) { assert(i > 0); assert(j > 0); assert(v > 0); w << i << " " << j << " " << v << std::endl;} // ------------- // collatz_solve // ------------- /** * read, eval, print loop * @param r a std::istream * @param w a std::ostream */ void collatz_solve (std::istream& r, std::ostream& w) { int i; int j; while (collatz_read(r, i, j)) { const int v = collatz_eval(i, j); collatz_print(w, i, j, v);}} // ---- // main // ---- int main () { using namespace std; ios_base::sync_with_stdio(false); // turn off synchronization with C I/O collatz_solve(cin, cout); return 0;}
[ "kieldro@gmail.com" ]
kieldro@gmail.com
520a71145ef87149aef0cb946393cc73d2442625
4d107a97633559963f6510767bb9297febbcbb02
/applications/SolidMechanicsApplication/custom_strategies/schemes/residual_based_rotation_simo_scheme.hpp
ede77fa0e09f1b871476f6c67422267f0796c92d
[ "BSD-2-Clause" ]
permissive
asroy/Kratos
45dc4a9ad77a2b203ab2e0c6c5fe030633433181
e89d6808670d4d645319c7678da548b37825abe3
refs/heads/master
2021-03-24T13:28:43.618915
2017-12-19T15:38:20
2017-12-19T15:38:20
102,793,791
1
0
null
null
null
null
UTF-8
C++
false
false
18,293
hpp
// // Project Name: KratosSolidMechanicsApplication $ // Created by: $Author: JMCarbonell $ // Last modified by: $Co-Author: $ // Date: $Date: August 2017 $ // Revision: $Revision: 0.0 $ // // #if !defined(KRATOS_RESIDUAL_BASED_ROTATION_SIMO_SCHEME ) #define KRATOS_RESIDUAL_BASED_ROTATION_SIMO_SCHEME // System includes // External includes // Project includes #include "custom_strategies/schemes/residual_based_rotation_newmark_scheme.hpp" namespace Kratos { ///@name Kratos Globals ///@{ ///@} ///@name Type Definitions ///@{ ///@} ///@name Enum's ///@{ ///@} ///@name Functions ///@{ ///@} ///@name Kratos Classes ///@{ // Covariant implicit time stepping algorithm: the classical Newmark algorithm of nonlinear elastodynamics and a canonical extension of the Newmark formulas to the orthogonal group SO(3) for the rotational part. (Simo version) template<class TSparseSpace, class TDenseSpace > class ResidualBasedRotationSimoScheme: public ResidualBasedRotationNewmarkScheme<TSparseSpace,TDenseSpace> { public: ///@name Type Definitions ///@{ KRATOS_CLASS_POINTER_DEFINITION( ResidualBasedRotationSimoScheme ); typedef Scheme<TSparseSpace,TDenseSpace> BaseType; typedef typename BaseType::TDataType TDataType; typedef typename BaseType::DofsArrayType DofsArrayType; typedef typename Element::DofsVectorType DofsVectorType; typedef typename BaseType::TSystemMatrixType TSystemMatrixType; typedef typename BaseType::TSystemVectorType TSystemVectorType; typedef typename BaseType::LocalSystemVectorType LocalSystemVectorType; typedef typename BaseType::LocalSystemMatrixType LocalSystemMatrixType; typedef ModelPart::NodesContainerType NodesArrayType; typedef ModelPart::ElementsContainerType ElementsArrayType; typedef ModelPart::ConditionsContainerType ConditionsArrayType; typedef typename BaseType::Pointer BaseTypePointer; typedef BeamMathUtils<double> BeamMathUtilsType; typedef Quaternion<double> QuaternionType; typedef ResidualBasedRotationNewmarkScheme<TSparseSpace,TDenseSpace> DerivedType; public: ///@} ///@name Life Cycle ///@{ /// Default constructors ResidualBasedRotationSimoScheme(double rDynamic = 1, double rAlpha = 0.0) :DerivedType() { } ///Copy constructor ResidualBasedRotationSimoScheme(ResidualBasedRotationSimoScheme& rOther) :DerivedType(rOther) { } /// Clone BaseTypePointer Clone() override { return BaseTypePointer( new ResidualBasedRotationSimoScheme(*this) ); } /// Destructor virtual ~ResidualBasedRotationSimoScheme() override {} ///@} ///@name Operators ///@{ ///@} ///@name Operations ///@{ ///@} ///@name Access ///@{ ///@} ///@name Inquiry ///@{ ///@} ///@name Input and output ///@{ ///@} ///@name Friends ///@{ protected: ///@name Protected static Member Variables ///@{ ///@} ///@name Protected member Variables ///@{ ///@} ///@name Protected Operators ///@{ ///@} ///@name Protected Operations ///@{ //********************************************************************************* // Predict Linear Movements //********************************************************************************* virtual void PredictLinearMovements(ModelPart::NodeType& rNode) override { KRATOS_TRY //Predicting: NewDisplacement = PreviousDisplacement + PreviousVelocity * DeltaTime; array_1d<double, 3 > & CurrentDisplacement = rNode.FastGetSolutionStepValue(DISPLACEMENT, 0); array_1d<double, 3 > & CurrentVelocity = rNode.FastGetSolutionStepValue(VELOCITY, 0); array_1d<double, 3 > & CurrentAcceleration = rNode.FastGetSolutionStepValue(ACCELERATION, 0); array_1d<double, 3 > & CurrentStepDisplacement = rNode.FastGetSolutionStepValue(STEP_DISPLACEMENT); array_1d<double, 3 > & ReferenceDisplacement = rNode.FastGetSolutionStepValue(DISPLACEMENT, 1); array_1d<double, 3 > & ReferenceVelocity = rNode.FastGetSolutionStepValue(VELOCITY, 1); array_1d<double, 3 > & ReferenceAcceleration = rNode.FastGetSolutionStepValue(ACCELERATION, 1); noalias(CurrentStepDisplacement) = CurrentDisplacement - ReferenceDisplacement; //ATTENTION::: the prediction is performed only on free nodes this->PredictStepDisplacement( rNode, CurrentStepDisplacement, CurrentVelocity, ReferenceVelocity, CurrentAcceleration, ReferenceAcceleration); // Updating time derivatives ::: Please note that displacements and its time derivatives can not be consistently fixed separately noalias(CurrentDisplacement) = ReferenceDisplacement + CurrentStepDisplacement; this->UpdateVelocity (CurrentVelocity, CurrentStepDisplacement); this->UpdateAcceleration (CurrentAcceleration, CurrentStepDisplacement); KRATOS_CATCH( "" ) } //********************************************************************************* // Update Linear Movements //********************************************************************************* virtual void UpdateLinearMovements(ModelPart::NodeType& rNode) override { KRATOS_TRY array_1d<double, 3 > DeltaDisplacement; // Displacement at iteration i+1 array_1d<double, 3 > & CurrentDisplacement = rNode.FastGetSolutionStepValue(DISPLACEMENT, 0); // Displacement at iteration i array_1d<double, 3 > & PreviousDisplacement = rNode.FastGetSolutionStepValue(STEP_DISPLACEMENT, 1); noalias(DeltaDisplacement) = CurrentDisplacement - PreviousDisplacement; array_1d<double, 3 > & CurrentStepDisplacement = rNode.FastGetSolutionStepValue(STEP_DISPLACEMENT); noalias(CurrentStepDisplacement) = CurrentDisplacement - rNode.FastGetSolutionStepValue(DISPLACEMENT,1); array_1d<double, 3 > & CurrentVelocity = rNode.FastGetSolutionStepValue(VELOCITY, 0); array_1d<double, 3 > & CurrentAcceleration = rNode.FastGetSolutionStepValue(ACCELERATION, 0); this->UpdateVelocity (CurrentVelocity, DeltaDisplacement); this->UpdateAcceleration (CurrentAcceleration, DeltaDisplacement); KRATOS_CATCH( "" ) } //********************************************************************************* // Predict Angular Movements //********************************************************************************* virtual void PredictAngularMovements(ModelPart::NodeType& rNode) override { KRATOS_TRY array_1d<double, 3 >& CurrentRotation = rNode.FastGetSolutionStepValue(ROTATION, 0); array_1d<double, 3 >& CurrentStepRotation = rNode.FastGetSolutionStepValue(STEP_ROTATION, 0); array_1d<double, 3 >& CurrentAngularVelocity = rNode.FastGetSolutionStepValue(ANGULAR_VELOCITY, 0); array_1d<double, 3 >& CurrentAngularAcceleration = rNode.FastGetSolutionStepValue(ANGULAR_ACCELERATION, 0); array_1d<double, 3 > ReferenceAngularVelocity = rNode.FastGetSolutionStepValue(ANGULAR_VELOCITY, 1); array_1d<double, 3 > ReferenceAngularAcceleration = rNode.FastGetSolutionStepValue(ANGULAR_ACCELERATION, 1); //ATTENTION::: the prediction is performed only on free nodes this->PredictStepRotation( rNode, CurrentStepRotation, CurrentAngularVelocity, ReferenceAngularVelocity, CurrentAngularAcceleration, ReferenceAngularAcceleration); // Updating time derivatives ::: Please note that displacements and its time derivatives can not be consistently fixed separately noalias(CurrentRotation) += CurrentStepRotation; this->UpdateAngularVelocity (CurrentAngularVelocity, CurrentStepRotation); this->UpdateAngularAcceleration (CurrentAngularAcceleration, CurrentStepRotation); KRATOS_CATCH( "" ) } //********************************************************************************* // Update Angular Movements //********************************************************************************* virtual void UpdateAngularMovements(ModelPart::NodeType& rNode) override { KRATOS_TRY // Rotation at iteration i+1 array_1d<double, 3 > & CurrentRotation = rNode.FastGetSolutionStepValue(ROTATION, 0); // Rotation at iteration i array_1d<double, 3 > & PreviousRotation = rNode.FastGetSolutionStepValue(STEP_ROTATION, 1); //StepRotation array_1d<double, 3 > & CurrentStepRotation = rNode.FastGetSolutionStepValue(STEP_ROTATION, 0); //DeltaRotation array_1d<double, 3 > & CurrentDeltaRotation = rNode.FastGetSolutionStepValue(DELTA_ROTATION, 0); // updated delta rotation: (dofs are added, so here the increment is undone) noalias(CurrentDeltaRotation) = CurrentRotation-PreviousRotation; QuaternionType DeltaRotationQuaternion = QuaternionType::FromRotationVector( CurrentDeltaRotation ); // updated step rotation: array_1d<double, 3 > LinearDeltaRotation; noalias(LinearDeltaRotation) = CurrentStepRotation; LinearDeltaRotation *= (-1); QuaternionType StepRotationQuaternion = QuaternionType::FromRotationVector( CurrentStepRotation ); StepRotationQuaternion = DeltaRotationQuaternion * StepRotationQuaternion; StepRotationQuaternion.ToRotationVector( CurrentStepRotation ); LinearDeltaRotation += CurrentStepRotation; // updated compound rotation: QuaternionType RotationQuaternion = QuaternionType::FromRotationVector( PreviousRotation ); RotationQuaternion = DeltaRotationQuaternion * RotationQuaternion; RotationQuaternion.ToRotationVector( CurrentRotation ); // update delta rotation composed: RotationQuaternion = StepRotationQuaternion.conjugate() * RotationQuaternion; LinearDeltaRotation = BeamMathUtilsType::MapToCurrentLocalFrame( RotationQuaternion, LinearDeltaRotation ); array_1d<double, 3 > & CurrentAngularVelocity = rNode.FastGetSolutionStepValue(ANGULAR_VELOCITY, 0); array_1d<double, 3 > & CurrentAngularAcceleration = rNode.FastGetSolutionStepValue(ANGULAR_ACCELERATION, 0); this->UpdateAngularVelocity (CurrentAngularVelocity, LinearDeltaRotation); this->UpdateAngularAcceleration (CurrentAngularAcceleration, LinearDeltaRotation); KRATOS_CATCH( "" ) } //********************************************************************************* //Predicting Step Displacement variable //********************************************************************************* virtual void PredictStepDisplacement(ModelPart::NodeType& rNode, array_1d<double, 3 > & CurrentStepDisplacement, const array_1d<double, 3 > & CurrentVelocity, const array_1d<double, 3 > & PreviousVelocity, const array_1d<double, 3 > & CurrentAcceleration, const array_1d<double, 3 > & PreviousAcceleration) override { KRATOS_TRY if (rNode.IsFixed(ACCELERATION_X)) { CurrentStepDisplacement[0] = ( CurrentAcceleration[0] - PreviousAcceleration[0] ) / this->mDynamic.c1; } else if (rNode.IsFixed(VELOCITY_X)) { CurrentStepDisplacement[0] = ( CurrentVelocity[0] - PreviousVelocity[0] ) / this->mDynamic.c0; } else if (rNode.IsFixed(DISPLACEMENT_X) == false) { //CurrentStepDisplacement[0] = this->mDynamic.deltatime * PreviousVelocity[0] + 0.5 * this->mDynamic.deltatime * this->mDynamic.deltatime * PreviousAcceleration[0]; CurrentStepDisplacement[0] = 0; } if (rNode.IsFixed(ACCELERATION_Y)) { CurrentStepDisplacement[1] = ( CurrentAcceleration[1] - PreviousAcceleration[1] ) / this->mDynamic.c1; } else if (rNode.IsFixed(VELOCITY_Y)) { CurrentStepDisplacement[1] = ( CurrentVelocity[1] - PreviousVelocity[1] ) / this->mDynamic.c0; } else if (rNode.IsFixed(DISPLACEMENT_Y) == false) { //CurrentStepDisplacement[1] = this->mDynamic.deltatime * PreviousVelocity[1] + 0.5 * this->mDynamic.deltatime * this->mDynamic.deltatime * PreviousAcceleration[1]; CurrentStepDisplacement[1] = 0; } // For 3D cases if (rNode.HasDofFor(DISPLACEMENT_Z)) { if (rNode.IsFixed(ACCELERATION_Z)) { CurrentStepDisplacement[2] = ( CurrentAcceleration[2] - PreviousAcceleration[2] ) / this->mDynamic.c1; } else if (rNode.IsFixed(VELOCITY_Z)) { CurrentStepDisplacement[2] = ( CurrentVelocity[2] - PreviousVelocity[2] ) / this->mDynamic.c0; } else if (rNode.IsFixed(DISPLACEMENT_Z) == false) { CurrentStepDisplacement[2] = 0; } } KRATOS_CATCH( "" ) } //********************************************************************************* //Predicting step rotation variable //********************************************************************************* virtual void PredictStepRotation(ModelPart::NodeType& rNode, array_1d<double, 3 > & CurrentStepRotation, const array_1d<double, 3 > & CurrentVelocity, const array_1d<double, 3 > & PreviousVelocity, const array_1d<double, 3 > & CurrentAcceleration, const array_1d<double, 3 > & PreviousAcceleration) override { KRATOS_TRY // For 3D cases if (rNode.HasDofFor(ROTATION_X)) { if (rNode.IsFixed(ANGULAR_ACCELERATION_X)) { CurrentStepRotation[0] = ( CurrentAcceleration[0] - PreviousAcceleration[0] ) / this->mDynamic.c1; } else if (rNode.IsFixed(ANGULAR_VELOCITY_X)) { CurrentStepRotation[0] = ( CurrentVelocity[0] - PreviousVelocity[0] ) / this->mDynamic.c0; } else if (rNode.IsFixed(ROTATION_X) == false) { //CurrentStepRotation[0] = this->mDynamic.deltatime * PreviousVelocity[0] + 0.5 * this->mDynamic.deltatime * this->mDynamic.deltatime * PreviousAcceleration[0]; CurrentStepRotation[0] = 0; } } if (rNode.HasDofFor(ROTATION_Y)) { if (rNode.IsFixed(ANGULAR_ACCELERATION_Y)) { CurrentStepRotation[1] = ( CurrentAcceleration[1] - PreviousAcceleration[1] ) / this->mDynamic.c1; } else if (rNode.IsFixed(ANGULAR_VELOCITY_Y)) { CurrentStepRotation[1] = ( CurrentVelocity[1] - PreviousVelocity[1] ) / this->mDynamic.c0; } else if (rNode.IsFixed(ROTATION_Y) == false) { CurrentStepRotation[1] = 0; } } if (rNode.IsFixed(ANGULAR_ACCELERATION_Z)) { CurrentStepRotation[2] = ( CurrentAcceleration[2] - PreviousAcceleration[2] ) / this->mDynamic.c1; } else if (rNode.IsFixed(ANGULAR_VELOCITY_Z)) { CurrentStepRotation[2] = ( CurrentVelocity[2] - PreviousVelocity[2] ) / this->mDynamic.c0; } else if (rNode.IsFixed(ROTATION_Z) == false) { CurrentStepRotation[2] = 0; } KRATOS_CATCH( "" ) } //********************************************************************************* //Updating first time Derivative //********************************************************************************* inline void UpdateVelocity(array_1d<double, 3 > & CurrentVelocity, const array_1d<double, 3 > & DeltaDisplacement) { noalias(CurrentVelocity) += ( this->mDynamic.c0 * DeltaDisplacement ) * this->mDynamic.static_dynamic; } //********************************************************************************* //Updating second time Derivative //********************************************************************************* inline void UpdateAcceleration(array_1d<double, 3 > & CurrentAcceleration, const array_1d<double, 3 > & DeltaDisplacement) { noalias(CurrentAcceleration) += ( this->mDynamic.c1 * DeltaDisplacement ) * this->mDynamic.static_dynamic; } //********************************************************************************* //Updating first time Derivative //********************************************************************************* inline void UpdateAngularVelocity(array_1d<double, 3 > & CurrentAngularVelocity, const array_1d<double, 3 > & DeltaRotation) { noalias(CurrentAngularVelocity) += ( this->mDynamic.c0 * DeltaRotation ) * this->mDynamic.static_dynamic; } //********************************************************************************* //Updating second time Derivative //********************************************************************************* inline void UpdateAngularAcceleration(array_1d<double, 3 > & CurrentAngularAcceleration, const array_1d<double, 3 > & DeltaRotation) { noalias(CurrentAngularAcceleration) += ( this->mDynamic.c1 * DeltaRotation ) * this->mDynamic.static_dynamic; } ///@} ///@name Protected Access ///@{ ///@} ///@name Protected Inquiry ///@{ ///@} ///@name Protected LifeCycle ///@{ ///@{ private: ///@name Static Member Variables ///@{ ///@} ///@name Member Variables ///@{ ///@} ///@name Private Operators ///@{ ///@} ///@name Private Operations ///@{ ///@} ///@name Private Access ///@{ ///@} ///@name Serialization ///@{ ///@} ///@name Private Inquiry ///@{ ///@} ///@name Un accessible methods ///@{ ///@} }; /* Class ResidualBasedRotationSimoScheme */ ///@} ///@name Type Definitions ///@{ ///@} ///@name Input and output ///@{ ///@} } /* namespace Kratos.*/ #endif /* KRATOS_RESIDUAL_BASED_ROTATION_SIMO_SCHEME defined */
[ "cpuigbo@cimne.upc.edu" ]
cpuigbo@cimne.upc.edu
a73747f190eb7928d403e5d97a205260b5ee839a
4e1190455394bb008b9299082cdbd236477e293a
/Atcoder/ABC/94/a.cpp
3d15b7b8faa8daee4aa850e2b3aa761ac4589dae
[]
no_license
Leonardosu/competitive_programming
64b62fc5a1731763a1bee0f99f9a9d7df15e9e8a
01ce1e4f3cb4dc3c5973774287f2e32f92418987
refs/heads/master
2023-08-04T06:27:26.384700
2023-07-24T19:47:57
2023-07-24T19:47:57
202,539,762
4
6
null
2022-10-25T00:24:54
2019-08-15T12:46:33
C++
UTF-8
C++
false
false
405
cpp
#include "bits/stdc++.h" #define f first #define s second #define pb push_back #define ALL(x) x.begin(),x.end() #define sz(x) (int)(x).size() using namespace std; typedef long long ll; typedef pair<int, int> pii; typedef vector<int> vi; int main() { ios_base::sync_with_stdio(0); cin.tie(0); cout.tie(0); int a,b,x; cin>>a>>b>>x; if(a > x || a+b < x) cout<<"NO"; else cout<<"YES"; cout<<"\n"; }
[ "leonardo.su@ccc.ufcg.edu.br" ]
leonardo.su@ccc.ufcg.edu.br
1f80f19548f1d11ac0615b60555cd52ac882c2e9
55373ff893ffcbb2371f6b9eff201c716a5f8d88
/AnimationManager.cpp
794428853d2c1747ce754c1bc48102f88a49e692
[]
no_license
Matt-IY/Animation-Project-Management-Application
100bb45ef7ab822346b798674f19f25f04d7da70
35dc73e7514a35ce5ddfa5017c6aa382c3bb2223
refs/heads/master
2023-06-11T18:28:49.220487
2021-07-01T19:17:37
2021-07-01T19:17:37
381,839,748
0
0
null
null
null
null
UTF-8
C++
false
false
4,621
cpp
/**************************************************************************** Description: It is a console application that has an AnimationManager that holds a vector template of Animation objects each of which holds aforward_list template of Frames. Allows user to Add an Animation, Delete an Animation, Edit an Animation (which allows the user to add, delete, and edit frames within the animation) and View the Animation list. ****************************************************************************/ #define _CRT_SECURE_NO_WARNINGS #define _CRTDBG_MAP_ALLOC #include <crtdbg.h> #include <iostream> #include <iomanip> #include <string> #include <vector> #include <forward_list> using namespace std; #include "Frame.h" #include "AudioFrame.h" #include "VideoFrame.h" #include "Animation.h" #include "AnimationManager.h" /**************************************************************************** Function Name: EditAnimation Purpose: Edits a specific Animation by allowing user to add a new frame, delete, or edit a pre-existing one. In Parameters: N/A Out Parameters: N/A Version: 1.0 Author: Matt Idone-York ****************************************************************************/ void AnimationManager::EditAnimation() { vector<Animation>::iterator i; int index; int counter = 0; char choice; bool loop = true; if (animations.empty()) { cout << "There are no Animations" << endl; return; } for (i = animations.begin(); i != animations.end(); i++) { counter++; } cout << "Which animation do you wish to edit? Please give the index (from 0 to " << (counter - 1) << ")" << endl; cin >> index; if (cin.fail()) { cout << "Invalid integer\n"; cin.clear(); cin.ignore(500, '\n'); return; } if (index < 0) { cout << "Not within range\n"; return; } if (index > (counter - 1)) { cout << "Not within range\n"; return; } counter = 0; cout << "Editing Animation #" << index << endl; while (loop) { cout << "MENU" << endl << "1. Insert a Frame at front" << endl << "2. Delete first frame" << endl << "3. Edit a frame" << endl << "4. Quit" << endl; cin >> choice; switch (choice) { case '1': cin >> this->animations.at(index); break; case '2': this->animations.at(index).DeleteFrame(); break; case '3': this->animations.at(index).EditFrame(); break; case '4': loop = false; cout << "Animation #" << index << " edit complete" << endl; break; default: cout << "Invalid Option" << endl; } } } /**************************************************************************** Function Name: DeleteAnimation Purpose: Deletes a specific Animation In Parameters: N/A Out Parameters: N/A Version: 1.0 Author: Matt Idone-York ****************************************************************************/ void AnimationManager::DeleteAnimation() { if (this->animations.size() == 0) { cout << "No Animations to delete" << endl; return; } cout << "Animation at end has been deleted" << endl; this->animations.erase(this->animations.end() - 1); } /**************************************************************************** Function Name: operator>> Purpose: overwrites and adds a new Animation In Parameters: istream& stream, AnimationManager& am Out Parameters: istream& stream Version: 1.0 Author: Matt Idone-York ****************************************************************************/ istream& operator>>(istream& stream, AnimationManager& am) { string animationName; cout << "Add an Animation to the Animation Manager" << endl << "Please enter the Animation Name: " << endl; cin >> animationName; Animation animation(animationName); if (am.animations.empty()) { am.animations.reserve(32); } am.animations.push_back(animation); cout << "Animation " << animationName << " added at the back of animations" << endl; return stream; } /**************************************************************************** Function Name: operator<< Purpose: outputs the animations In Parameters: ostream& stream, AnimationManager& am Out Parameters: ostream& stream Version: 1.0 Author: Matt Idone-York ****************************************************************************/ ostream& operator<<(ostream& stream, AnimationManager& M) { stream << "AnimationManager: " << M.managerName << endl; int count = 0; vector<Animation>::iterator i; if (M.animations.empty()) { stream << "There is no animation inside the list\n"; return stream; } for (i = M.animations.begin(); i != M.animations.end(); i++) { stream << "Animation: " << count << endl; stream << "\t" << *i; count++; } return stream; }
[ "idon0019@algonquinlive.com" ]
idon0019@algonquinlive.com
5d62ed5e854409310d1d08d4fc6a064f9e7f65b6
3049b557890f95f9b8da6ce5ad312eb04887a5ef
/libredex/IRTypeChecker.cpp
124f491baa73c49870ad665c0b871b6e5efe3996
[ "MIT" ]
permissive
housed-cjy/redex
0f85203f064875b89a60fb03cabe6e8808818ca9
ec1e34e420f0a7c4cbdf0c0c13dce5d6a2b5eaf8
refs/heads/master
2020-09-13T00:04:18.504177
2019-11-18T17:26:11
2019-11-18T17:27:59
null
0
0
null
null
null
null
UTF-8
C++
false
false
31,533
cpp
/* * Copyright (c) Facebook, Inc. and its affiliates. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ #include "IRTypeChecker.h" #include <boost/optional/optional.hpp> #include "DexUtil.h" #include "Match.h" #include "Resolver.h" #include "Show.h" using namespace sparta; using namespace type_inference; namespace { using namespace ir_analyzer; // We abort the type checking process at the first error encountered. class TypeCheckingException final : public std::runtime_error { public: explicit TypeCheckingException(const std::string& what_arg) : std::runtime_error(what_arg) {} }; std::ostringstream& print_register(std::ostringstream& out, reg_t reg) { if (reg == RESULT_REGISTER) { out << "result"; } else { out << "register v" << reg; } return out; } void check_type_match(reg_t reg, IRType actual, IRType expected) { if (actual == BOTTOM) { // There's nothing to do for unreachable code. return; } if (actual == SCALAR && expected != REFERENCE) { // If the type is SCALAR and we're checking compatibility with an integer // or float type, we just bail out. return; } if (!TypeDomain(actual).leq(TypeDomain(expected))) { std::ostringstream out; print_register(out, reg) << ": expected type " << expected << ", but found " << actual << " instead"; throw TypeCheckingException(out.str()); } } void check_wide_type_match(reg_t reg, IRType actual1, IRType actual2, IRType expected1, IRType expected2) { if (actual1 == BOTTOM) { // There's nothing to do for unreachable code. return; } if (actual1 == SCALAR1 && actual2 == SCALAR2) { // If type of the pair of registers is (SCALAR1, SCALAR2), we just bail // out. return; } if (!(TypeDomain(actual1).leq(TypeDomain(expected1)) && TypeDomain(actual2).leq(TypeDomain(expected2)))) { std::ostringstream out; print_register(out, reg) << ": expected type (" << expected1 << ", " << expected2 << "), but found (" << actual1 << ", " << actual2 << ") instead"; throw TypeCheckingException(out.str()); } } void assume_type(TypeEnvironment* state, reg_t reg, IRType expected, bool ignore_top = false) { if (state->is_bottom()) { // There's nothing to do for unreachable code. return; } IRType actual = state->get_type(reg).element(); if (ignore_top && actual == TOP) { return; } check_type_match(reg, actual, /* expected */ expected); } void assume_wide_type(TypeEnvironment* state, reg_t reg, IRType expected1, IRType expected2) { if (state->is_bottom()) { // There's nothing to do for unreachable code. return; } IRType actual1 = state->get_type(reg).element(); IRType actual2 = state->get_type(reg + 1).element(); check_wide_type_match(reg, actual1, actual2, /* expected1 */ expected1, /* expected2 */ expected2); } // This is used for the operand of a comparison operation with zero. The // complexity here is that this operation may be performed on either an // integer or a reference. void assume_comparable_with_zero(TypeEnvironment* state, reg_t reg) { if (state->is_bottom()) { // There's nothing to do for unreachable code. return; } IRType t = state->get_type(reg).element(); if (t == SCALAR) { // We can't say anything conclusive about a register that has SCALAR type, // so we just bail out. return; } if (!(TypeDomain(t).leq(TypeDomain(REFERENCE)) || TypeDomain(t).leq(TypeDomain(INT)))) { std::ostringstream out; print_register(out, reg) << ": expected integer or reference type, but found " << t << " instead"; throw TypeCheckingException(out.str()); } } // This is used for the operands of a comparison operation between two // registers. The complexity here is that this operation may be performed on // either two integers or two references. void assume_comparable(TypeEnvironment* state, reg_t reg1, reg_t reg2) { if (state->is_bottom()) { // There's nothing to do for unreachable code. return; } IRType t1 = state->get_type(reg1).element(); IRType t2 = state->get_type(reg2).element(); if (!((TypeDomain(t1).leq(TypeDomain(REFERENCE)) && TypeDomain(t2).leq(TypeDomain(REFERENCE))) || (TypeDomain(t1).leq(TypeDomain(SCALAR)) && TypeDomain(t2).leq(TypeDomain(SCALAR)) && (t1 != FLOAT) && (t2 != FLOAT)))) { // Two values can be used in a comparison operation if they either both // have the REFERENCE type or have non-float scalar types. Note that in // the case where one or both types have the SCALAR type, we can't // definitely rule out the absence of a type error. std::ostringstream out; print_register(out, reg1) << " and "; print_register(out, reg2) << ": incompatible types in comparison " << t1 << " and " << t2; throw TypeCheckingException(out.str()); } } void assume_integer(TypeEnvironment* state, reg_t reg) { assume_type(state, reg, /* expected */ INT); } void assume_float(TypeEnvironment* state, reg_t reg) { assume_type(state, reg, /* expected */ FLOAT); } void assume_long(TypeEnvironment* state, reg_t reg) { assume_wide_type(state, reg, /* expected1 */ LONG1, /* expected2 */ LONG2); } void assume_double(TypeEnvironment* state, reg_t reg) { assume_wide_type( state, reg, /* expected1 */ DOUBLE1, /* expected2 */ DOUBLE2); } void assume_wide_scalar(TypeEnvironment* state, reg_t reg) { assume_wide_type( state, reg, /* expected1 */ SCALAR1, /* expected2 */ SCALAR2); } class Result final { public: static Result Ok() { return Result(); } static Result make_error(const std::string& s) { return Result(s); } const std::string& error_message() const { always_assert(!is_ok); return m_error_message; } bool operator==(const Result& that) const { return is_ok == that.is_ok && m_error_message == that.m_error_message; } bool operator!=(const Result& that) const { return !(*this == that); } private: bool is_ok{true}; std::string m_error_message; explicit Result(const std::string& s) : is_ok(false), m_error_message(s) {} Result() = default; }; static bool has_move_result_pseudo(const MethodItemEntry& mie) { return mie.type == MFLOW_OPCODE && mie.insn->has_move_result_pseudo(); } static bool is_move_result_pseudo(const MethodItemEntry& mie) { return mie.type == MFLOW_OPCODE && opcode::is_move_result_pseudo(mie.insn->opcode()); } Result check_load_params(const DexMethod* method) { bool method_static = is_static(method); auto arg_list = method->get_proto()->get_args(); const auto& signature = method->get_proto()->get_args()->get_type_list(); auto sig_it = signature.begin(); auto handle_instance = [&](IRInstruction* insn) -> boost::optional<std::string> { // Must be a param-object. if (insn->opcode() != IOPCODE_LOAD_PARAM_OBJECT) { return std::string( "First parameter must be loaded with load-param-object: ") + show(insn); } return boost::none; }; auto handle_other = [&](IRInstruction* insn) -> boost::optional<std::string> { if (sig_it == signature.end()) { return std::string("Not enough argument types for ") + show(insn); } bool ok = false; switch (insn->opcode()) { case IOPCODE_LOAD_PARAM_OBJECT: ok = type::is_object(*sig_it); break; case IOPCODE_LOAD_PARAM: ok = type::is_primitive(*sig_it) && !type::is_wide_type(*sig_it); break; case IOPCODE_LOAD_PARAM_WIDE: ok = type::is_primitive(*sig_it) && type::is_wide_type(*sig_it); break; default: always_assert(false); } if (!ok) { return std::string("Incompatible load-param ") + show(insn) + " for " + type::type_shorty(*sig_it); } ++sig_it; return boost::none; }; bool non_load_param_seen = false; using handler_t = std::function<boost::optional<std::string>(IRInstruction*)>; handler_t handler = is_static(method) ? handler_t(handle_other) : handler_t(handle_instance); for (const auto& mie : InstructionIterable(method->get_code()->cfg().entry_block())) { IRInstruction* insn = mie.insn; if (!opcode::is_load_param(insn->opcode())) { non_load_param_seen = true; continue; } if (non_load_param_seen) { return Result::make_error("Saw non-load-param instruction before " + show(insn)); } auto res = handler(insn); if (res) { return Result::make_error(res.get()); } handler = handler_t(handle_other); } return Result::Ok(); } /* * Do a linear pass to sanity-check the structure of the bytecode. */ Result check_structure(const DexMethod* method, bool check_no_overwrite_this) { check_no_overwrite_this &= !is_static(method); auto* code = method->get_code(); IRInstruction* this_insn = nullptr; bool has_seen_non_load_param_opcode{false}; for (auto it = code->begin(); it != code->end(); ++it) { // XXX we are using IRList::iterator instead of InstructionIterator here // because the latter does not support reverse iteration if (it->type != MFLOW_OPCODE) { continue; } auto* insn = it->insn; auto op = insn->opcode(); if (has_seen_non_load_param_opcode && opcode::is_load_param(op)) { return Result::make_error("Encountered " + show(*it) + " not at the start of the method"); } has_seen_non_load_param_opcode = !opcode::is_load_param(op); if (check_no_overwrite_this) { if (op == IOPCODE_LOAD_PARAM_OBJECT && this_insn == nullptr) { this_insn = insn; } else if (insn->has_dest() && insn->dest() == this_insn->dest()) { return Result::make_error( "Encountered overwrite of `this` register by " + show(insn)); } } // The instruction immediately before a move-result instruction must be // either an invoke-* or a filled-new-array instruction. if (opcode::is_move_result(op)) { auto prev = it; while (prev != code->begin()) { --prev; if (prev->type == MFLOW_OPCODE) { break; } } if (it == code->begin() || prev->type != MFLOW_OPCODE) { return Result::make_error("Encountered " + show(*it) + " at start of the method"); } auto prev_op = prev->insn->opcode(); if (!(is_invoke(prev_op) || is_filled_new_array(prev_op))) { return Result::make_error( "Encountered " + show(*it) + " without appropriate prefix " "instruction. Expected invoke or filled-new-array, got " + show(prev->insn)); } } else if (opcode::is_move_result_pseudo(insn->opcode()) && (it == code->begin() || !has_move_result_pseudo(*std::prev(it)))) { return Result::make_error("Encountered " + show(*it) + " without appropriate prefix " "instruction"); } else if (insn->has_move_result_pseudo() && (it == code->end() || !is_move_result_pseudo(*std::next(it)))) { return Result::make_error("Did not find move-result-pseudo after " + show(*it) + " in \n" + show(code)); } } return Result::Ok(); } /** * Validate if the caller has the permit to call a method or access a field. * * +-------------------------+--------+----------+-----------+-------+ * | Access Levels Modifier | Class | Package | Subclass | World | * +-------------------------+--------+----------+-----------+-------+ * | public | Y | Y | Y | Y | * | protected | Y | Y | Y | N | * | no modifier | Y | Y | N | N | * | private | Y | N | N | N | * +-------------------------+--------+----------+-----------+-------+ */ template <typename DexMember> void validate_access(const DexType* accessor, const DexMember* accessee) { if (accessee == nullptr || is_public(accessee) || accessor == accessee->get_class()) { return; } if (!is_private(accessee)) { auto accessee_class = accessee->get_class(); auto from_same_package = type::same_package(accessor, accessee_class); if (is_package_private(accessee) && from_same_package) { return; } else if (is_protected(accessee) && (from_same_package || type::check_cast(accessor, accessee_class))) { return; } } std::ostringstream out; out << "\nillegal access to " << (is_private(accessee) ? "private " : (is_package_private(accessee) ? "package-private " : "protected ")) << show(accessee); // TODO(fengliu): Throw exception instead of log to stderr. TRACE(TYPE, 2, out.str().c_str()); // throw TypeCheckingException(out.str()); } } // namespace IRTypeChecker::~IRTypeChecker() {} IRTypeChecker::IRTypeChecker(DexMethod* dex_method) : m_dex_method(dex_method), m_complete(false), m_verify_moves(false), m_check_no_overwrite_this(false), m_good(true), m_what("OK") {} void IRTypeChecker::run() { IRCode* code = m_dex_method->get_code(); if (m_complete) { // The type checker can only be run once on any given method. return; } if (code == nullptr) { // If the method has no associated code, the type checking trivially // succeeds. m_complete = true; return; } auto result = check_structure(m_dex_method, m_check_no_overwrite_this); if (result != Result::Ok()) { m_complete = true; m_good = false; m_what = result.error_message(); return; } // We then infer types for all the registers used in the method. code->build_cfg(/* editable */ false); const cfg::ControlFlowGraph& cfg = code->cfg(); // Check that the load-params match the signature. auto params_result = check_load_params(m_dex_method); if (params_result != Result::Ok()) { m_complete = true; m_good = false; m_what = params_result.error_message(); return; } m_type_inference = std::make_unique<TypeInference>(cfg); m_type_inference->run(m_dex_method); // Finally, we use the inferred types to type-check each instruction in the // method. We stop at the first type error encountered. auto& type_envs = m_type_inference->get_type_environments(); for (const MethodItemEntry& mie : InstructionIterable(code)) { IRInstruction* insn = mie.insn; try { auto it = type_envs.find(insn); always_assert(it != type_envs.end()); check_instruction(insn, &it->second); } catch (const TypeCheckingException& e) { m_good = false; std::ostringstream out; out << "Type error in method " << m_dex_method->get_deobfuscated_name() << " at instruction '" << SHOW(insn) << "' @ " << std::hex << static_cast<const void*>(&mie) << " for " << e.what(); m_what = out.str(); m_complete = true; return; } } m_complete = true; if (traceEnabled(TYPE, 5)) { std::ostringstream out; m_type_inference->print(out); TRACE(TYPE, 5, "%s", out.str().c_str()); } } void IRTypeChecker::assume_scalar(TypeEnvironment* state, reg_t reg, bool in_move) const { assume_type(state, reg, /* expected */ SCALAR, /* ignore_top */ in_move && !m_verify_moves); } void IRTypeChecker::assume_reference(TypeEnvironment* state, reg_t reg, bool in_move) const { assume_type(state, reg, /* expected */ REFERENCE, /* ignore_top */ in_move && !m_verify_moves); } // This method performs type checking only: the type environment is not updated // and the source registers of the instruction are checked against their // expected types. // // Similarly, the various assume_* functions used throughout the code to check // that the inferred type of a register matches with its expected type, as // derived from the context. void IRTypeChecker::check_instruction(IRInstruction* insn, TypeEnvironment* current_state) const { switch (insn->opcode()) { case IOPCODE_LOAD_PARAM: case IOPCODE_LOAD_PARAM_OBJECT: case IOPCODE_LOAD_PARAM_WIDE: { // IOPCODE_LOAD_PARAM_* instructions have been processed before the // analysis. break; } case OPCODE_NOP: { break; } case OPCODE_MOVE: { assume_scalar(current_state, insn->src(0), /* in_move */ true); break; } case OPCODE_MOVE_OBJECT: { assume_reference(current_state, insn->src(0), /* in_move */ true); break; } case OPCODE_MOVE_WIDE: { assume_wide_scalar(current_state, insn->src(0)); break; } case IOPCODE_MOVE_RESULT_PSEUDO: case OPCODE_MOVE_RESULT: { assume_scalar(current_state, RESULT_REGISTER); break; } case IOPCODE_MOVE_RESULT_PSEUDO_OBJECT: case OPCODE_MOVE_RESULT_OBJECT: { assume_reference(current_state, RESULT_REGISTER); break; } case IOPCODE_MOVE_RESULT_PSEUDO_WIDE: case OPCODE_MOVE_RESULT_WIDE: { assume_wide_scalar(current_state, RESULT_REGISTER); break; } case OPCODE_MOVE_EXCEPTION: { // We don't know where to grab the type of the just-caught exception. // Simply set to j.l.Throwable here. break; } case OPCODE_RETURN_VOID: { break; } case OPCODE_RETURN: { assume_scalar(current_state, insn->src(0)); break; } case OPCODE_RETURN_WIDE: { assume_wide_scalar(current_state, insn->src(0)); break; } case OPCODE_RETURN_OBJECT: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_CONST: { break; } case OPCODE_CONST_WIDE: { break; } case OPCODE_CONST_STRING: { break; } case OPCODE_CONST_CLASS: { break; } case OPCODE_MONITOR_ENTER: case OPCODE_MONITOR_EXIT: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_CHECK_CAST: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_INSTANCE_OF: case OPCODE_ARRAY_LENGTH: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_NEW_INSTANCE: { break; } case OPCODE_NEW_ARRAY: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_FILLED_NEW_ARRAY: { const DexType* element_type = type::get_array_component_type(insn->get_type()); // We assume that structural constraints on the bytecode are satisfied, // i.e., the type is indeed an array type. always_assert(element_type != nullptr); bool is_array_of_references = type::is_object(element_type); for (size_t i = 0; i < insn->srcs_size(); ++i) { if (is_array_of_references) { assume_reference(current_state, insn->src(i)); } else { assume_scalar(current_state, insn->src(i)); } } break; } case OPCODE_FILL_ARRAY_DATA: { break; } case OPCODE_THROW: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_GOTO: { break; } case OPCODE_SWITCH: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_CMPL_FLOAT: case OPCODE_CMPG_FLOAT: { assume_float(current_state, insn->src(0)); assume_float(current_state, insn->src(1)); break; } case OPCODE_CMPL_DOUBLE: case OPCODE_CMPG_DOUBLE: { assume_double(current_state, insn->src(0)); assume_double(current_state, insn->src(1)); break; } case OPCODE_CMP_LONG: { assume_long(current_state, insn->src(0)); assume_long(current_state, insn->src(1)); break; } case OPCODE_IF_EQ: case OPCODE_IF_NE: { assume_comparable(current_state, insn->src(0), insn->src(1)); break; } case OPCODE_IF_LT: case OPCODE_IF_GE: case OPCODE_IF_GT: case OPCODE_IF_LE: { assume_integer(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_IF_EQZ: case OPCODE_IF_NEZ: { assume_comparable_with_zero(current_state, insn->src(0)); break; } case OPCODE_IF_LTZ: case OPCODE_IF_GEZ: case OPCODE_IF_GTZ: case OPCODE_IF_LEZ: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_AGET: { assume_reference(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_AGET_BOOLEAN: case OPCODE_AGET_BYTE: case OPCODE_AGET_CHAR: case OPCODE_AGET_SHORT: { assume_reference(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_AGET_WIDE: { assume_reference(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_AGET_OBJECT: { assume_reference(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_APUT: { assume_scalar(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); assume_integer(current_state, insn->src(2)); break; } case OPCODE_APUT_BOOLEAN: case OPCODE_APUT_BYTE: case OPCODE_APUT_CHAR: case OPCODE_APUT_SHORT: { assume_integer(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); assume_integer(current_state, insn->src(2)); break; } case OPCODE_APUT_WIDE: { assume_wide_scalar(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); assume_integer(current_state, insn->src(2)); break; } case OPCODE_APUT_OBJECT: { assume_reference(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); assume_integer(current_state, insn->src(2)); break; } case OPCODE_IGET: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_IGET_BOOLEAN: case OPCODE_IGET_BYTE: case OPCODE_IGET_CHAR: case OPCODE_IGET_SHORT: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_IGET_WIDE: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_IGET_OBJECT: { assume_reference(current_state, insn->src(0)); always_assert(insn->has_field()); break; } case OPCODE_IPUT: { const DexType* type = insn->get_field()->get_type(); if (type::is_float(type)) { assume_float(current_state, insn->src(0)); } else { assume_integer(current_state, insn->src(0)); } assume_reference(current_state, insn->src(1)); break; } case OPCODE_IPUT_BOOLEAN: case OPCODE_IPUT_BYTE: case OPCODE_IPUT_CHAR: case OPCODE_IPUT_SHORT: { assume_integer(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); break; } case OPCODE_IPUT_WIDE: { assume_wide_scalar(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); break; } case OPCODE_IPUT_OBJECT: { assume_reference(current_state, insn->src(0)); assume_reference(current_state, insn->src(1)); break; } case OPCODE_SGET: { break; } case OPCODE_SGET_BOOLEAN: case OPCODE_SGET_BYTE: case OPCODE_SGET_CHAR: case OPCODE_SGET_SHORT: { break; } case OPCODE_SGET_WIDE: { break; } case OPCODE_SGET_OBJECT: { break; } case OPCODE_SPUT: { const DexType* type = insn->get_field()->get_type(); if (type::is_float(type)) { assume_float(current_state, insn->src(0)); } else { assume_integer(current_state, insn->src(0)); } break; } case OPCODE_SPUT_BOOLEAN: case OPCODE_SPUT_BYTE: case OPCODE_SPUT_CHAR: case OPCODE_SPUT_SHORT: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_SPUT_WIDE: { assume_wide_scalar(current_state, insn->src(0)); break; } case OPCODE_SPUT_OBJECT: { assume_reference(current_state, insn->src(0)); break; } case OPCODE_INVOKE_VIRTUAL: case OPCODE_INVOKE_SUPER: case OPCODE_INVOKE_DIRECT: case OPCODE_INVOKE_STATIC: case OPCODE_INVOKE_INTERFACE: { DexMethodRef* dex_method = insn->get_method(); const auto& arg_types = dex_method->get_proto()->get_args()->get_type_list(); size_t expected_args = (insn->opcode() != OPCODE_INVOKE_STATIC ? 1 : 0) + arg_types.size(); if (insn->srcs_size() != expected_args) { std::ostringstream out; out << SHOW(insn) << ": argument count mismatch; " << "expected " << expected_args << ", " << "but found " << insn->srcs_size() << " instead"; throw TypeCheckingException(out.str()); } size_t src_idx{0}; if (insn->opcode() != OPCODE_INVOKE_STATIC) { // The first argument is a reference to the object instance on which the // method is invoked. assume_reference(current_state, insn->src(src_idx++)); } for (DexType* arg_type : arg_types) { if (type::is_object(arg_type)) { assume_reference(current_state, insn->src(src_idx++)); continue; } if (type::is_integer(arg_type)) { assume_integer(current_state, insn->src(src_idx++)); continue; } if (type::is_long(arg_type)) { assume_long(current_state, insn->src(src_idx++)); continue; } if (type::is_float(arg_type)) { assume_float(current_state, insn->src(src_idx++)); continue; } always_assert(type::is_double(arg_type)); assume_double(current_state, insn->src(src_idx++)); } auto resolved = resolve_method(dex_method, opcode_to_search(insn)); validate_access(m_dex_method->get_class(), resolved); break; } case OPCODE_NEG_INT: case OPCODE_NOT_INT: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_NEG_LONG: case OPCODE_NOT_LONG: { assume_long(current_state, insn->src(0)); break; } case OPCODE_NEG_FLOAT: { assume_float(current_state, insn->src(0)); break; } case OPCODE_NEG_DOUBLE: { assume_double(current_state, insn->src(0)); break; } case OPCODE_INT_TO_BYTE: case OPCODE_INT_TO_CHAR: case OPCODE_INT_TO_SHORT: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_LONG_TO_INT: { assume_long(current_state, insn->src(0)); break; } case OPCODE_FLOAT_TO_INT: { assume_float(current_state, insn->src(0)); break; } case OPCODE_DOUBLE_TO_INT: { assume_double(current_state, insn->src(0)); break; } case OPCODE_INT_TO_LONG: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_FLOAT_TO_LONG: { assume_float(current_state, insn->src(0)); break; } case OPCODE_DOUBLE_TO_LONG: { assume_double(current_state, insn->src(0)); break; } case OPCODE_INT_TO_FLOAT: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_LONG_TO_FLOAT: { assume_long(current_state, insn->src(0)); break; } case OPCODE_DOUBLE_TO_FLOAT: { assume_double(current_state, insn->src(0)); break; } case OPCODE_INT_TO_DOUBLE: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_LONG_TO_DOUBLE: { assume_long(current_state, insn->src(0)); break; } case OPCODE_FLOAT_TO_DOUBLE: { assume_float(current_state, insn->src(0)); break; } case OPCODE_ADD_INT: case OPCODE_SUB_INT: case OPCODE_MUL_INT: case OPCODE_AND_INT: case OPCODE_OR_INT: case OPCODE_XOR_INT: case OPCODE_SHL_INT: case OPCODE_SHR_INT: case OPCODE_USHR_INT: { assume_integer(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_DIV_INT: case OPCODE_REM_INT: { assume_integer(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_ADD_LONG: case OPCODE_SUB_LONG: case OPCODE_MUL_LONG: case OPCODE_AND_LONG: case OPCODE_OR_LONG: case OPCODE_XOR_LONG: { assume_long(current_state, insn->src(0)); assume_long(current_state, insn->src(1)); break; } case OPCODE_DIV_LONG: case OPCODE_REM_LONG: { assume_long(current_state, insn->src(0)); assume_long(current_state, insn->src(1)); break; } case OPCODE_SHL_LONG: case OPCODE_SHR_LONG: case OPCODE_USHR_LONG: { assume_long(current_state, insn->src(0)); assume_integer(current_state, insn->src(1)); break; } case OPCODE_ADD_FLOAT: case OPCODE_SUB_FLOAT: case OPCODE_MUL_FLOAT: case OPCODE_DIV_FLOAT: case OPCODE_REM_FLOAT: { assume_float(current_state, insn->src(0)); assume_float(current_state, insn->src(1)); break; } case OPCODE_ADD_DOUBLE: case OPCODE_SUB_DOUBLE: case OPCODE_MUL_DOUBLE: case OPCODE_DIV_DOUBLE: case OPCODE_REM_DOUBLE: { assume_double(current_state, insn->src(0)); assume_double(current_state, insn->src(1)); break; } case OPCODE_ADD_INT_LIT16: case OPCODE_RSUB_INT: case OPCODE_MUL_INT_LIT16: case OPCODE_AND_INT_LIT16: case OPCODE_OR_INT_LIT16: case OPCODE_XOR_INT_LIT16: case OPCODE_ADD_INT_LIT8: case OPCODE_RSUB_INT_LIT8: case OPCODE_MUL_INT_LIT8: case OPCODE_AND_INT_LIT8: case OPCODE_OR_INT_LIT8: case OPCODE_XOR_INT_LIT8: case OPCODE_SHL_INT_LIT8: case OPCODE_SHR_INT_LIT8: case OPCODE_USHR_INT_LIT8: { assume_integer(current_state, insn->src(0)); break; } case OPCODE_DIV_INT_LIT16: case OPCODE_REM_INT_LIT16: case OPCODE_DIV_INT_LIT8: case OPCODE_REM_INT_LIT8: { assume_integer(current_state, insn->src(0)); break; } } if (insn->has_field()) { auto search = is_sfield_op(insn->opcode()) ? FieldSearch::Static : FieldSearch::Instance; auto resolved = resolve_field(insn->get_field(), search); validate_access(m_dex_method->get_class(), resolved); } } IRType IRTypeChecker::get_type(IRInstruction* insn, reg_t reg) const { check_completion(); auto& type_envs = m_type_inference->get_type_environments(); auto it = type_envs.find(insn); if (it == type_envs.end()) { // The instruction doesn't belong to this method. We treat this as // unreachable code and return BOTTOM. return BOTTOM; } return it->second.get_type(reg).element(); } const DexType* IRTypeChecker::get_dex_type(IRInstruction* insn, reg_t reg) const { check_completion(); auto& type_envs = m_type_inference->get_type_environments(); auto it = type_envs.find(insn); if (it == type_envs.end()) { // The instruction doesn't belong to this method. We treat this as // unreachable code and return BOTTOM. return nullptr; } return *it->second.get_dex_type(reg); } std::ostream& operator<<(std::ostream& output, const IRTypeChecker& checker) { checker.m_type_inference->print(output); return output; }
[ "facebook-github-bot@users.noreply.github.com" ]
facebook-github-bot@users.noreply.github.com
aa75315981fea07885c5d560e6a20f47506065d5
814fd0bea5bc063a4e34ebdd0a5597c9ff67532b
/components/rappor/test_rappor_service.h
8ca22a374e18d62ec2420c2b5d071a31d8967499
[ "BSD-3-Clause" ]
permissive
rzr/chromium-crosswalk
1b22208ff556d69c009ad292bc17dca3fe15c493
d391344809adf7b4f39764ac0e15c378169b805f
refs/heads/master
2021-01-21T09:11:07.316526
2015-02-16T11:52:21
2015-02-16T11:52:21
38,887,985
0
0
NOASSERTION
2019-08-07T21:59:20
2015-07-10T15:35:50
C++
UTF-8
C++
false
false
2,289
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 COMPONENTS_RAPPOR_TEST_RAPPOR_SERVICE_H_ #define COMPONENTS_RAPPOR_TEST_RAPPOR_SERVICE_H_ #include <string> #include "base/prefs/testing_pref_service.h" #include "components/rappor/rappor_service.h" #include "components/rappor/test_log_uploader.h" namespace rappor { // This class provides a simple instance that can be instantiated by tests // and examined to check that metrics were recorded. It assumes the most // permissive settings so that any metric can be recorded. class TestRapporService : public RapporService { public: TestRapporService(); ~TestRapporService() override; // Gets the number of reports that would be uploaded by this service. // This also clears the internal map of metrics as a biproduct, so if // comparing numbers of reports, the comparison should be from the last time // GetReportsCount() was called (not from the beginning of the test). int GetReportsCount(); // Gets the reports proto that would be uploaded. // This clears the internal map of metrics. void GetReports(RapporReports* reports); // Loads the cohort from TestingPrefService. int32_t LoadCohortForTesting(); // Loads the secret from TestingPrefService. std::string LoadSecretForTesting(); void set_is_incognito(bool is_incognito) { is_incognito_ = is_incognito; } TestingPrefServiceSimple* test_prefs() { return &test_prefs_; } TestLogUploader* test_uploader() { return test_uploader_; } base::TimeDelta next_rotation() { return next_rotation_; } protected: // Cancels the next call to OnLogInterval. void CancelNextLogRotation() override; // Schedules the next call to OnLogInterval. void ScheduleNextLogRotation(base::TimeDelta interval) override; private: TestingPrefServiceSimple test_prefs_; // Holds a weak ref to the uploader_ object. TestLogUploader* test_uploader_; // The last scheduled log rotation. base::TimeDelta next_rotation_; // Sets this to true to mock incognito state. bool is_incognito_; DISALLOW_COPY_AND_ASSIGN(TestRapporService); }; } // namespace rappor #endif // COMPONENTS_RAPPOR_TEST_RAPPOR_SERVICE_H_
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
0e2272e144afc186f047a79bb0e3534509e55662
cc7661edca4d5fb2fc226bd6605a533f50a2fb63
/System.Xml/ExprLE.h
27ff0a9dbbcfd79db4cc00dee8341bfa52097637
[ "MIT" ]
permissive
g91/Rust-C-SDK
698e5b573285d5793250099b59f5453c3c4599eb
d1cce1133191263cba5583c43a8d42d8d65c21b0
refs/heads/master
2020-03-27T05:49:01.747456
2017-08-23T09:07:35
2017-08-23T09:07:35
146,053,940
1
0
null
2018-08-25T01:13:44
2018-08-25T01:13:44
null
UTF-8
C++
false
false
151
h
#pragma once namespace System { namespace Xml { { namespace XPath { class ExprLE : public RelationalExpr // 0x20 { public: }; // size = 0x20 }
[ "info@cvm-solutions.co.uk" ]
info@cvm-solutions.co.uk
c5943fdc31e75d1343a4a74ae7537e57e33e8193
10628747bc5b24614955c69f74419ae2afd925ae
/SonicProject/Background.cpp
b8b198ad7471aa8899418da691e067e08981e674
[]
no_license
snrkgotdj/Sonic_Project
136fb7d96bc545650fd7b2c8235382aa13f85995
031f5c1ad55bdeaf09cb3d7c8cd406bf52f3cfb8
refs/heads/master
2020-04-08T14:05:04.015559
2018-11-28T00:57:24
2018-11-28T00:57:24
159,421,287
0
0
null
null
null
null
UTF-8
C++
false
false
1,682
cpp
#include "stdafx.h" #include "Background.h" #include "Texture.h" #include "Animation.h" #include "Animator.h" #include "ResManager.h" #include "TimeManager.h" // jisu void Background::init() { BackTex = ResManager::Manager().LoadTexture(L"\\Logo\\Background.bmp", L"LOGO_back"); LogoWing = ResManager::Manager().LoadTexture(L"\\Logo\\Wing.bmp", L"LOGO_WING"); pTex = ResManager::Manager().LoadTexture(L"\\Logo\\Charactor.bmp", L"LOGO_TEX"); m_fAccTime = 0.f; positionY = -200.f; Charactor = new Animator; Charactor->AddAnimation(L"Logo_Anim", pTex, fPOINT{ 0,0 }, 1, fPOINT{200,160 }, 8, 0.15f, RGB(255, 0, 255),0); Charactor->PlayAnimation(L"Logo_Anim"); } void Background::render(HDC _dc) { BitBlt(_dc, 0, 0, WindowSizeX, WindowSizeY, BackTex->GetTexDC(), 0, 0, SRCCOPY); if (m_fAccTime >= 0.9) { TransparentBlt(_dc , (int)(WindowSizeX / 2 - LogoWing->GetWidth() / 2) , (int)positionY , (int)LogoWing->GetWidth() , (int)LogoWing->GetHeight() , LogoWing->GetTexDC() , 0 , 0 , (int)LogoWing->GetWidth() , (int)LogoWing->GetHeight() , (UINT)RGB(255, 0, 255)); } if (m_fAccTime >= 3.4) { Charactor->render(_dc, fPOINT{ WindowSizeX/2 , WindowSizeY/2 }, 7); } } void Background::update() { m_fAccTime += DT; if (positionY <= (WindowSizeY / 2 - LogoWing->GetHeight() / 2) && m_fAccTime >= 0.9) { positionY += DT * 200; } } void Background::Clear() { if (Charactor != NULL) { delete Charactor; Charactor = NULL; } } Background::Background() :BackTex(NULL) ,LogoWing(NULL) , Charactor(NULL) ,pTex(NULL) , m_fAccTime(0.f) , positionY(-200.f) { } Background::~Background() { BackTex = NULL; Clear(); }
[ "snrk_gotdj@naver.com" ]
snrk_gotdj@naver.com
3f1798b7a9ee5ec55f2e50eb8410ad1e8643d6d1
f52f48f9c3dbd04fbeb3ffa7ca2a864d4c4f56ac
/lib/libyuv/source/convert.cc
b672ad5a02b2bccb834aff4b66fe74fad3de07ad
[]
no_license
kallaspriit/ximea-camera-library
89dbb5e7e50bfbfa21f58655aee54de111dc1701
e6b5b87283af614d3e2f37788f34766a9fc4f336
refs/heads/master
2021-01-15T23:34:57.186331
2012-10-17T18:55:15
2012-10-17T18:55:15
6,226,830
4
0
null
null
null
null
UTF-8
C++
false
false
68,217
cc
/* * Copyright 2011 The LibYuv Project Authors. All rights reserved. * * Use of this source code is governed by a BSD-style license * that can be found in the LICENSE file in the root of the source * tree. An additional intellectual property rights grant can be found * in the file PATENTS. All contributing project authors may * be found in the AUTHORS file in the root of the source tree. */ #include "libyuv/convert.h" #include "libyuv/basic_types.h" #include "libyuv/cpu_id.h" #include "libyuv/format_conversion.h" #ifdef HAVE_JPEG #include "libyuv/mjpeg_decoder.h" #endif #include "libyuv/planar_functions.h" #include "libyuv/rotate.h" #include "libyuv/video_common.h" #include "libyuv/row.h" #ifdef __cplusplus namespace libyuv { extern "C" { #endif // Copy I420 with optional flipping LIBYUV_API int I420Copy(const uint8* src_y, int src_stride_y, const uint8* src_u, int src_stride_u, const uint8* src_v, int src_stride_v, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_u || !src_v || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; int halfheight = (height + 1) >> 1; src_y = src_y + (height - 1) * src_stride_y; src_u = src_u + (halfheight - 1) * src_stride_u; src_v = src_v + (halfheight - 1) * src_stride_v; src_stride_y = -src_stride_y; src_stride_u = -src_stride_u; src_stride_v = -src_stride_v; } int halfwidth = (width + 1) >> 1; int halfheight = (height + 1) >> 1; if (dst_y) { CopyPlane(src_y, src_stride_y, dst_y, dst_stride_y, width, height); } CopyPlane(src_u, src_stride_u, dst_u, dst_stride_u, halfwidth, halfheight); CopyPlane(src_v, src_stride_v, dst_v, dst_stride_v, halfwidth, halfheight); return 0; } LIBYUV_API int I422ToI420(const uint8* src_y, int src_stride_y, const uint8* src_u, int src_stride_u, const uint8* src_v, int src_stride_v, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_u || !src_v || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_y = src_y + (height - 1) * src_stride_y; src_u = src_u + (height - 1) * src_stride_u; src_v = src_v + (height - 1) * src_stride_v; src_stride_y = -src_stride_y; src_stride_u = -src_stride_u; src_stride_v = -src_stride_v; } int halfwidth = (width + 1) >> 1; void (*HalfRow)(const uint8* src_uv, int src_uv_stride, uint8* dst_uv, int pix) = HalfRow_C; #if defined(HAS_HALFROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(halfwidth, 16) && IS_ALIGNED(src_u, 16) && IS_ALIGNED(src_stride_u, 16) && IS_ALIGNED(src_v, 16) && IS_ALIGNED(src_stride_v, 16) && IS_ALIGNED(dst_u, 16) && IS_ALIGNED(dst_stride_u, 16) && IS_ALIGNED(dst_v, 16) && IS_ALIGNED(dst_stride_v, 16)) { HalfRow = HalfRow_SSE2; } #elif defined(HAS_HALFROW_NEON) if (TestCpuFlag(kCpuHasNEON) && IS_ALIGNED(halfwidth, 16)) { HalfRow = HalfRow_NEON; } #endif // Copy Y plane if (dst_y) { CopyPlane(src_y, src_stride_y, dst_y, dst_stride_y, width, height); } // SubSample U plane. int y; for (y = 0; y < height - 1; y += 2) { HalfRow(src_u, src_stride_u, dst_u, halfwidth); src_u += src_stride_u * 2; dst_u += dst_stride_u; } if (height & 1) { HalfRow(src_u, 0, dst_u, halfwidth); } // SubSample V plane. for (y = 0; y < height - 1; y += 2) { HalfRow(src_v, src_stride_v, dst_v, halfwidth); src_v += src_stride_v * 2; dst_v += dst_stride_v; } if (height & 1) { HalfRow(src_v, 0, dst_v, halfwidth); } return 0; } // Blends 32x2 pixels to 16x1 // source in scale.cc #if !defined(YUV_DISABLE_ASM) && (defined(__ARM_NEON__) || defined(LIBYUV_NEON)) #define HAS_SCALEROWDOWN2_NEON void ScaleRowDown2Int_NEON(const uint8* src_ptr, ptrdiff_t src_stride, uint8* dst, int dst_width); #elif !defined(YUV_DISABLE_ASM) && \ (defined(_M_IX86) || defined(__x86_64__) || defined(__i386__)) void ScaleRowDown2Int_SSE2(const uint8* src_ptr, ptrdiff_t src_stride, uint8* dst_ptr, int dst_width); #endif void ScaleRowDown2Int_C(const uint8* src_ptr, ptrdiff_t src_stride, uint8* dst_ptr, int dst_width); LIBYUV_API int I444ToI420(const uint8* src_y, int src_stride_y, const uint8* src_u, int src_stride_u, const uint8* src_v, int src_stride_v, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_u || !src_v || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_y = src_y + (height - 1) * src_stride_y; src_u = src_u + (height - 1) * src_stride_u; src_v = src_v + (height - 1) * src_stride_v; src_stride_y = -src_stride_y; src_stride_u = -src_stride_u; src_stride_v = -src_stride_v; } int halfwidth = (width + 1) >> 1; void (*ScaleRowDown2)(const uint8* src_ptr, ptrdiff_t src_stride, uint8* dst_ptr, int dst_width) = ScaleRowDown2Int_C; #if defined(HAS_SCALEROWDOWN2_NEON) if (TestCpuFlag(kCpuHasNEON) && IS_ALIGNED(halfwidth, 16)) { ScaleRowDown2 = ScaleRowDown2Int_NEON; } #elif defined(HAS_SCALEROWDOWN2_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(halfwidth, 16) && IS_ALIGNED(src_u, 16) && IS_ALIGNED(src_stride_u, 16) && IS_ALIGNED(src_v, 16) && IS_ALIGNED(src_stride_v, 16) && IS_ALIGNED(dst_u, 16) && IS_ALIGNED(dst_stride_u, 16) && IS_ALIGNED(dst_v, 16) && IS_ALIGNED(dst_stride_v, 16)) { ScaleRowDown2 = ScaleRowDown2Int_SSE2; } #endif // Copy Y plane if (dst_y) { CopyPlane(src_y, src_stride_y, dst_y, dst_stride_y, width, height); } // SubSample U plane. int y; for (y = 0; y < height - 1; y += 2) { ScaleRowDown2(src_u, src_stride_u, dst_u, halfwidth); src_u += src_stride_u * 2; dst_u += dst_stride_u; } if (height & 1) { ScaleRowDown2(src_u, 0, dst_u, halfwidth); } // SubSample V plane. for (y = 0; y < height - 1; y += 2) { ScaleRowDown2(src_v, src_stride_v, dst_v, halfwidth); src_v += src_stride_v * 2; dst_v += dst_stride_v; } if (height & 1) { ScaleRowDown2(src_v, 0, dst_v, halfwidth); } return 0; } // use Bilinear for upsampling chroma void ScalePlaneBilinear(int src_width, int src_height, int dst_width, int dst_height, int src_stride, int dst_stride, const uint8* src_ptr, uint8* dst_ptr); // 411 chroma is 1/4 width, 1x height // 420 chroma is 1/2 width, 1/2 height LIBYUV_API int I411ToI420(const uint8* src_y, int src_stride_y, const uint8* src_u, int src_stride_u, const uint8* src_v, int src_stride_v, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_u || !src_v || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_y = src_y + (height - 1) * src_stride_y; src_u = src_u + (height - 1) * src_stride_u; src_v = src_v + (height - 1) * src_stride_v; src_stride_y = -src_stride_y; src_stride_u = -src_stride_u; src_stride_v = -src_stride_v; } // Copy Y plane if (dst_y) { CopyPlane(src_y, src_stride_y, dst_y, dst_stride_y, width, height); } int halfwidth = (width + 1) >> 1; int halfheight = (height + 1) >> 1; int quarterwidth = (width + 3) >> 2; // Resample U plane. ScalePlaneBilinear(quarterwidth, height, // from 1/4 width, 1x height halfwidth, halfheight, // to 1/2 width, 1/2 height src_stride_u, dst_stride_u, src_u, dst_u); // Resample V plane. ScalePlaneBilinear(quarterwidth, height, // from 1/4 width, 1x height halfwidth, halfheight, // to 1/2 width, 1/2 height src_stride_v, dst_stride_v, src_v, dst_v); return 0; } // I400 is greyscale typically used in MJPG LIBYUV_API int I400ToI420(const uint8* src_y, int src_stride_y, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_y = src_y + (height - 1) * src_stride_y; src_stride_y = -src_stride_y; } int halfwidth = (width + 1) >> 1; int halfheight = (height + 1) >> 1; CopyPlane(src_y, src_stride_y, dst_y, dst_stride_y, width, height); SetPlane(dst_u, dst_stride_u, halfwidth, halfheight, 128); SetPlane(dst_v, dst_stride_v, halfwidth, halfheight, 128); return 0; } static void CopyPlane2(const uint8* src, int src_stride_0, int src_stride_1, uint8* dst, int dst_stride_frame, int width, int height) { void (*CopyRow)(const uint8* src, uint8* dst, int width) = CopyRow_C; #if defined(HAS_COPYROW_NEON) if (TestCpuFlag(kCpuHasNEON) && IS_ALIGNED(width, 64)) { CopyRow = CopyRow_NEON; } #elif defined(HAS_COPYROW_X86) if (IS_ALIGNED(width, 4)) { CopyRow = CopyRow_X86; #if defined(HAS_COPYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(width, 32) && IS_ALIGNED(src, 16) && IS_ALIGNED(src_stride_0, 16) && IS_ALIGNED(src_stride_1, 16) && IS_ALIGNED(dst, 16) && IS_ALIGNED(dst_stride_frame, 16)) { CopyRow = CopyRow_SSE2; } #endif } #endif // Copy plane for (int y = 0; y < height - 1; y += 2) { CopyRow(src, dst, width); CopyRow(src + src_stride_0, dst + dst_stride_frame, width); src += src_stride_0 + src_stride_1; dst += dst_stride_frame * 2; } if (height & 1) { CopyRow(src, dst, width); } } // Support converting from FOURCC_M420 // Useful for bandwidth constrained transports like USB 1.0 and 2.0 and for // easy conversion to I420. // M420 format description: // M420 is row biplanar 420: 2 rows of Y and 1 row of UV. // Chroma is half width / half height. (420) // src_stride_m420 is row planar. Normally this will be the width in pixels. // The UV plane is half width, but 2 values, so src_stride_m420 applies to // this as well as the two Y planes. static int X420ToI420(const uint8* src_y, int src_stride_y0, int src_stride_y1, const uint8* src_uv, int src_stride_uv, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_uv || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; int halfheight = (height + 1) >> 1; dst_y = dst_y + (height - 1) * dst_stride_y; dst_u = dst_u + (halfheight - 1) * dst_stride_u; dst_v = dst_v + (halfheight - 1) * dst_stride_v; dst_stride_y = -dst_stride_y; dst_stride_u = -dst_stride_u; dst_stride_v = -dst_stride_v; } int halfwidth = (width + 1) >> 1; void (*SplitUV)(const uint8* src_uv, uint8* dst_u, uint8* dst_v, int pix) = SplitUV_C; #if defined(HAS_SPLITUV_NEON) if (TestCpuFlag(kCpuHasNEON) && IS_ALIGNED(halfwidth, 16)) { SplitUV = SplitUV_NEON; } #elif defined(HAS_SPLITUV_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(halfwidth, 16) && IS_ALIGNED(src_uv, 16) && IS_ALIGNED(src_stride_uv, 16) && IS_ALIGNED(dst_u, 16) && IS_ALIGNED(dst_stride_u, 16) && IS_ALIGNED(dst_v, 16) && IS_ALIGNED(dst_stride_v, 16)) { SplitUV = SplitUV_SSE2; } #endif if (dst_y) { CopyPlane2(src_y, src_stride_y0, src_stride_y1, dst_y, dst_stride_y, width, height); } int halfheight = (height + 1) >> 1; for (int y = 0; y < halfheight; ++y) { // Copy a row of UV. SplitUV(src_uv, dst_u, dst_v, halfwidth); dst_u += dst_stride_u; dst_v += dst_stride_v; src_uv += src_stride_uv; } return 0; } // Convert NV12 to I420. LIBYUV_API int NV12ToI420(const uint8* src_y, int src_stride_y, const uint8* src_uv, int src_stride_uv, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { return X420ToI420(src_y, src_stride_y, src_stride_y, src_uv, src_stride_uv, dst_y, dst_stride_y, dst_u, dst_stride_u, dst_v, dst_stride_v, width, height); } // Convert M420 to I420. LIBYUV_API int M420ToI420(const uint8* src_m420, int src_stride_m420, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { return X420ToI420(src_m420, src_stride_m420, src_stride_m420 * 2, src_m420 + src_stride_m420 * 2, src_stride_m420 * 3, dst_y, dst_stride_y, dst_u, dst_stride_u, dst_v, dst_stride_v, width, height); } // Convert Q420 to I420. // Format is rows of YY/YUYV LIBYUV_API int Q420ToI420(const uint8* src_y, int src_stride_y, const uint8* src_yuy2, int src_stride_yuy2, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_y || !src_yuy2 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; int halfheight = (height + 1) >> 1; dst_y = dst_y + (height - 1) * dst_stride_y; dst_u = dst_u + (halfheight - 1) * dst_stride_u; dst_v = dst_v + (halfheight - 1) * dst_stride_v; dst_stride_y = -dst_stride_y; dst_stride_u = -dst_stride_u; dst_stride_v = -dst_stride_v; } // CopyRow for rows of just Y in Q420 copied to Y plane of I420. void (*CopyRow)(const uint8* src, uint8* dst, int width) = CopyRow_C; #if defined(HAS_COPYROW_NEON) if (TestCpuFlag(kCpuHasNEON) && IS_ALIGNED(width, 64)) { CopyRow = CopyRow_NEON; } #endif #if defined(HAS_COPYROW_X86) if (IS_ALIGNED(width, 4)) { CopyRow = CopyRow_X86; } #endif #if defined(HAS_COPYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(width, 32) && IS_ALIGNED(src_y, 16) && IS_ALIGNED(src_stride_y, 16) && IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { CopyRow = CopyRow_SSE2; } #endif void (*YUY2ToUV422Row)(const uint8* src_yuy2, uint8* dst_u, uint8* dst_v, int pix) = YUY2ToUV422Row_C; void (*YUY2ToYRow)(const uint8* src_yuy2, uint8* dst_y, int pix) = YUY2ToYRow_C; #if defined(HAS_YUY2TOYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2)) { if (width > 16) { YUY2ToUV422Row = YUY2ToUV422Row_Any_SSE2; YUY2ToYRow = YUY2ToYRow_Any_SSE2; } if (IS_ALIGNED(width, 16)) { YUY2ToUV422Row = YUY2ToUV422Row_Unaligned_SSE2; YUY2ToYRow = YUY2ToYRow_Unaligned_SSE2; if (IS_ALIGNED(src_yuy2, 16) && IS_ALIGNED(src_stride_yuy2, 16)) { YUY2ToUV422Row = YUY2ToUV422Row_SSE2; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { YUY2ToYRow = YUY2ToYRow_SSE2; } } } } #elif defined(HAS_YUY2TOYROW_NEON) if (TestCpuFlag(kCpuHasNEON)) { if (width > 8) { YUY2ToYRow = YUY2ToYRow_Any_NEON; if (width > 16) { YUY2ToUV422Row = YUY2ToUV422Row_Any_NEON; } } if (IS_ALIGNED(width, 16)) { YUY2ToYRow = YUY2ToYRow_NEON; YUY2ToUV422Row = YUY2ToUV422Row_NEON; } } #endif for (int y = 0; y < height - 1; y += 2) { CopyRow(src_y, dst_y, width); src_y += src_stride_y; dst_y += dst_stride_y; YUY2ToUV422Row(src_yuy2, dst_u, dst_v, width); YUY2ToYRow(src_yuy2, dst_y, width); src_yuy2 += src_stride_yuy2; dst_y += dst_stride_y; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { CopyRow(src_y, dst_y, width); YUY2ToUV422Row(src_yuy2, dst_u, dst_v, width); } return 0; } // Test if over reading on source is safe. // TODO(fbarchard): Find more efficient solution to safely do odd sizes. // Macros to control read policy, from slowest to fastest: // READSAFE_NEVER - disables read ahead on systems with strict memory reads // READSAFE_ODDHEIGHT - last row of odd height done with C. // This policy assumes that the caller handles the last row of an odd height // image using C. // READSAFE_PAGE - enable read ahead within same page. // A page is 4096 bytes. When reading ahead, if the last pixel is near the // end the page, and a read spans the page into the next page, a memory // exception can occur if that page has not been allocated, or is a guard // page. This setting ensures the overread is within the same page. // READSAFE_ALWAYS - enables read ahead on systems without memory exceptions // or where buffers are padded by 64 bytes. #if defined(HAS_RGB24TOARGBROW_SSSE3) || \ defined(HAS_RGB24TOARGBROW_SSSE3) || \ defined(HAS_RAWTOARGBROW_SSSE3) || \ defined(HAS_RGB565TOARGBROW_SSE2) || \ defined(HAS_ARGB1555TOARGBROW_SSE2) || \ defined(HAS_ARGB4444TOARGBROW_SSE2) #define READSAFE_ODDHEIGHT static bool TestReadSafe(const uint8* src_yuy2, int src_stride_yuy2, int width, int height, int bpp, int overread) { if (width > kMaxStride) { return false; } #if defined(READSAFE_ALWAYS) return true; #elif defined(READSAFE_NEVER) return false; #elif defined(READSAFE_ODDHEIGHT) if (!(width & 15) || (src_stride_yuy2 >= 0 && (height & 1) && width * bpp >= overread)) { return true; } return false; #elif defined(READSAFE_PAGE) if (src_stride_yuy2 >= 0) { src_yuy2 += (height - 1) * src_stride_yuy2; } uintptr_t last_adr = (uintptr_t)(src_yuy2) + width * bpp - 1; uintptr_t last_read_adr = last_adr + overread - 1; if (((last_adr ^ last_read_adr) & ~4095) == 0) { return true; } return false; #endif } #endif // Convert YUY2 to I420. LIBYUV_API int YUY2ToI420(const uint8* src_yuy2, int src_stride_yuy2, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { // Negative height means invert the image. if (height < 0) { height = -height; src_yuy2 = src_yuy2 + (height - 1) * src_stride_yuy2; src_stride_yuy2 = -src_stride_yuy2; } void (*YUY2ToUVRow)(const uint8* src_yuy2, int src_stride_yuy2, uint8* dst_u, uint8* dst_v, int pix); void (*YUY2ToYRow)(const uint8* src_yuy2, uint8* dst_y, int pix); YUY2ToYRow = YUY2ToYRow_C; YUY2ToUVRow = YUY2ToUVRow_C; #if defined(HAS_YUY2TOYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2)) { if (width > 16) { YUY2ToUVRow = YUY2ToUVRow_Any_SSE2; YUY2ToYRow = YUY2ToYRow_Any_SSE2; } if (IS_ALIGNED(width, 16)) { YUY2ToUVRow = YUY2ToUVRow_Unaligned_SSE2; YUY2ToYRow = YUY2ToYRow_Unaligned_SSE2; if (IS_ALIGNED(src_yuy2, 16) && IS_ALIGNED(src_stride_yuy2, 16)) { YUY2ToUVRow = YUY2ToUVRow_SSE2; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { YUY2ToYRow = YUY2ToYRow_SSE2; } } } } #elif defined(HAS_YUY2TOYROW_NEON) if (TestCpuFlag(kCpuHasNEON)) { if (width > 8) { YUY2ToYRow = YUY2ToYRow_Any_NEON; if (width > 16) { YUY2ToUVRow = YUY2ToUVRow_Any_NEON; } } if (IS_ALIGNED(width, 16)) { YUY2ToYRow = YUY2ToYRow_NEON; YUY2ToUVRow = YUY2ToUVRow_NEON; } } #endif for (int y = 0; y < height - 1; y += 2) { YUY2ToUVRow(src_yuy2, src_stride_yuy2, dst_u, dst_v, width); YUY2ToYRow(src_yuy2, dst_y, width); YUY2ToYRow(src_yuy2 + src_stride_yuy2, dst_y + dst_stride_y, width); src_yuy2 += src_stride_yuy2 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { YUY2ToUVRow(src_yuy2, 0, dst_u, dst_v, width); YUY2ToYRow(src_yuy2, dst_y, width); } return 0; } // Convert UYVY to I420. LIBYUV_API int UYVYToI420(const uint8* src_uyvy, int src_stride_uyvy, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { // Negative height means invert the image. if (height < 0) { height = -height; src_uyvy = src_uyvy + (height - 1) * src_stride_uyvy; src_stride_uyvy = -src_stride_uyvy; } void (*UYVYToUVRow)(const uint8* src_uyvy, int src_stride_uyvy, uint8* dst_u, uint8* dst_v, int pix); void (*UYVYToYRow)(const uint8* src_uyvy, uint8* dst_y, int pix); UYVYToYRow = UYVYToYRow_C; UYVYToUVRow = UYVYToUVRow_C; #if defined(HAS_UYVYTOYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2)) { if (width > 16) { UYVYToUVRow = UYVYToUVRow_Any_SSE2; UYVYToYRow = UYVYToYRow_Any_SSE2; } if (IS_ALIGNED(width, 16)) { UYVYToUVRow = UYVYToUVRow_Unaligned_SSE2; UYVYToYRow = UYVYToYRow_Unaligned_SSE2; if (IS_ALIGNED(src_uyvy, 16) && IS_ALIGNED(src_stride_uyvy, 16)) { UYVYToUVRow = UYVYToUVRow_SSE2; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { UYVYToYRow = UYVYToYRow_SSE2; } } } } #elif defined(HAS_UYVYTOYROW_NEON) if (TestCpuFlag(kCpuHasNEON)) { if (width > 8) { UYVYToYRow = UYVYToYRow_Any_NEON; if (width > 16) { UYVYToUVRow = UYVYToUVRow_Any_NEON; } } if (IS_ALIGNED(width, 16)) { UYVYToYRow = UYVYToYRow_NEON; UYVYToUVRow = UYVYToUVRow_NEON; } } #endif for (int y = 0; y < height - 1; y += 2) { UYVYToUVRow(src_uyvy, src_stride_uyvy, dst_u, dst_v, width); UYVYToYRow(src_uyvy, dst_y, width); UYVYToYRow(src_uyvy + src_stride_uyvy, dst_y + dst_stride_y, width); src_uyvy += src_stride_uyvy * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { UYVYToUVRow(src_uyvy, 0, dst_u, dst_v, width); UYVYToYRow(src_uyvy, dst_y, width); } return 0; } // Visual C x86 or GCC little endian. #if defined(__x86_64__) || defined(_M_X64) || \ defined(__i386__) || defined(_M_IX86) || \ defined(__arm__) || defined(_M_ARM) || \ (defined(__BYTE_ORDER__) && __BYTE_ORDER__ == __ORDER_LITTLE_ENDIAN__) #define LIBYUV_LITTLE_ENDIAN #endif #ifdef LIBYUV_LITTLE_ENDIAN #define READWORD(p) (*reinterpret_cast<const uint32*>(p)) #else static inline uint32 READWORD(const uint8* p) { return static_cast<uint32>(p[0]) | (static_cast<uint32>(p[1]) << 8) | (static_cast<uint32>(p[2]) << 16) | (static_cast<uint32>(p[3]) << 24); } #endif // Must be multiple of 6 pixels. Will over convert to handle remainder. // https://developer.apple.com/quicktime/icefloe/dispatch019.html#v210 static void V210ToUYVYRow_C(const uint8* src_v210, uint8* dst_uyvy, int width) { for (int x = 0; x < width; x += 6) { uint32 w = READWORD(src_v210 + 0); dst_uyvy[0] = (w >> 2) & 0xff; dst_uyvy[1] = (w >> 12) & 0xff; dst_uyvy[2] = (w >> 22) & 0xff; w = READWORD(src_v210 + 4); dst_uyvy[3] = (w >> 2) & 0xff; dst_uyvy[4] = (w >> 12) & 0xff; dst_uyvy[5] = (w >> 22) & 0xff; w = READWORD(src_v210 + 8); dst_uyvy[6] = (w >> 2) & 0xff; dst_uyvy[7] = (w >> 12) & 0xff; dst_uyvy[8] = (w >> 22) & 0xff; w = READWORD(src_v210 + 12); dst_uyvy[9] = (w >> 2) & 0xff; dst_uyvy[10] = (w >> 12) & 0xff; dst_uyvy[11] = (w >> 22) & 0xff; src_v210 += 16; dst_uyvy += 12; } } // Convert V210 to I420. // V210 is 10 bit version of UYVY. 16 bytes to store 6 pixels. // Width is multiple of 48 pixels = 128 bytes. LIBYUV_API int V210ToI420(const uint8* src_v210, int src_stride_v210, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 2 * 2 > kMaxStride) { // 2 rows of UYVY are required. return -1; } else if (!src_v210 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_v210 = src_v210 + (height - 1) * src_stride_v210; src_stride_v210 = -src_stride_v210; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*V210ToUYVYRow)(const uint8* src_v210, uint8* dst_uyvy, int pix); V210ToUYVYRow = V210ToUYVYRow_C; void (*UYVYToUVRow)(const uint8* src_uyvy, int src_stride_uyvy, uint8* dst_u, uint8* dst_v, int pix); void (*UYVYToYRow)(const uint8* src_uyvy, uint8* dst_y, int pix); UYVYToYRow = UYVYToYRow_C; UYVYToUVRow = UYVYToUVRow_C; #if defined(HAS_UYVYTOYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && IS_ALIGNED(width, 16)) { UYVYToUVRow = UYVYToUVRow_SSE2; UYVYToYRow = UYVYToYRow_Unaligned_SSE2; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { UYVYToYRow = UYVYToYRow_SSE2; } } #elif defined(HAS_UYVYTOYROW_NEON) if (TestCpuFlag(kCpuHasNEON)) { if (width > 8) { UYVYToYRow = UYVYToYRow_Any_NEON; if (width > 16) { UYVYToUVRow = UYVYToUVRow_Any_NEON; } } if (IS_ALIGNED(width, 16)) { UYVYToYRow = UYVYToYRow_NEON; UYVYToUVRow = UYVYToUVRow_NEON; } } #endif #if defined(HAS_UYVYTOYROW_SSE2) if (TestCpuFlag(kCpuHasSSE2)) { if (width > 16) { UYVYToUVRow = UYVYToUVRow_Any_SSE2; UYVYToYRow = UYVYToYRow_Any_SSE2; } if (IS_ALIGNED(width, 16)) { UYVYToYRow = UYVYToYRow_Unaligned_SSE2; UYVYToUVRow = UYVYToUVRow_SSE2; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { UYVYToYRow = UYVYToYRow_SSE2; } } } #elif defined(HAS_UYVYTOYROW_NEON) if (TestCpuFlag(kCpuHasNEON)) { if (width > 8) { UYVYToYRow = UYVYToYRow_Any_NEON; if (width > 16) { UYVYToUVRow = UYVYToUVRow_Any_NEON; } } if (IS_ALIGNED(width, 16)) { UYVYToYRow = UYVYToYRow_NEON; UYVYToUVRow = UYVYToUVRow_NEON; } } #endif for (int y = 0; y < height - 1; y += 2) { V210ToUYVYRow(src_v210, row, width); V210ToUYVYRow(src_v210 + src_stride_v210, row + kMaxStride, width); UYVYToUVRow(row, kMaxStride, dst_u, dst_v, width); UYVYToYRow(row, dst_y, width); UYVYToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_v210 += src_stride_v210 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { V210ToUYVYRow(src_v210, row, width); UYVYToUVRow(row, 0, dst_u, dst_v, width); UYVYToYRow(row, dst_y, width); } return 0; } LIBYUV_API int ARGBToI420(const uint8* src_argb, int src_stride_argb, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_argb || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_argb = src_argb + (height - 1) * src_stride_argb; src_stride_argb = -src_stride_argb; } void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; ARGBToYRow = ARGBToYRow_Any_SSSE3; } if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_Unaligned_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(src_argb, 16) && IS_ALIGNED(src_stride_argb, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } } #endif for (int y = 0; y < height - 1; y += 2) { ARGBToUVRow(src_argb, src_stride_argb, dst_u, dst_v, width); ARGBToYRow(src_argb, dst_y, width); ARGBToYRow(src_argb + src_stride_argb, dst_y + dst_stride_y, width); src_argb += src_stride_argb * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { ARGBToUVRow(src_argb, 0, dst_u, dst_v, width); ARGBToYRow(src_argb, dst_y, width); } return 0; } LIBYUV_API int BGRAToI420(const uint8* src_bgra, int src_stride_bgra, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_bgra || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_bgra = src_bgra + (height - 1) * src_stride_bgra; src_stride_bgra = -src_stride_bgra; } void (*BGRAToYRow)(const uint8* src_bgra, uint8* dst_y, int pix); void (*BGRAToUVRow)(const uint8* src_bgra0, int src_stride_bgra, uint8* dst_u, uint8* dst_v, int width); BGRAToYRow = BGRAToYRow_C; BGRAToUVRow = BGRAToUVRow_C; #if defined(HAS_BGRATOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { BGRAToUVRow = BGRAToUVRow_Any_SSSE3; BGRAToYRow = BGRAToYRow_Any_SSSE3; } if (IS_ALIGNED(width, 16)) { BGRAToUVRow = BGRAToUVRow_Unaligned_SSSE3; BGRAToYRow = BGRAToYRow_Unaligned_SSSE3; if (IS_ALIGNED(src_bgra, 16) && IS_ALIGNED(src_stride_bgra, 16)) { BGRAToUVRow = BGRAToUVRow_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { BGRAToYRow = BGRAToYRow_SSSE3; } } } } #endif for (int y = 0; y < height - 1; y += 2) { BGRAToUVRow(src_bgra, src_stride_bgra, dst_u, dst_v, width); BGRAToYRow(src_bgra, dst_y, width); BGRAToYRow(src_bgra + src_stride_bgra, dst_y + dst_stride_y, width); src_bgra += src_stride_bgra * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { BGRAToUVRow(src_bgra, 0, dst_u, dst_v, width); BGRAToYRow(src_bgra, dst_y, width); } return 0; } LIBYUV_API int ABGRToI420(const uint8* src_abgr, int src_stride_abgr, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_abgr || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_abgr = src_abgr + (height - 1) * src_stride_abgr; src_stride_abgr = -src_stride_abgr; } void (*ABGRToYRow)(const uint8* src_abgr, uint8* dst_y, int pix); void (*ABGRToUVRow)(const uint8* src_abgr0, int src_stride_abgr, uint8* dst_u, uint8* dst_v, int width); ABGRToYRow = ABGRToYRow_C; ABGRToUVRow = ABGRToUVRow_C; #if defined(HAS_ABGRTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ABGRToUVRow = ABGRToUVRow_Any_SSSE3; ABGRToYRow = ABGRToYRow_Any_SSSE3; } if (IS_ALIGNED(width, 16)) { ABGRToUVRow = ABGRToUVRow_Unaligned_SSSE3; ABGRToYRow = ABGRToYRow_Unaligned_SSSE3; if (IS_ALIGNED(src_abgr, 16) && IS_ALIGNED(src_stride_abgr, 16)) { ABGRToUVRow = ABGRToUVRow_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ABGRToYRow = ABGRToYRow_SSSE3; } } } } #endif for (int y = 0; y < height - 1; y += 2) { ABGRToUVRow(src_abgr, src_stride_abgr, dst_u, dst_v, width); ABGRToYRow(src_abgr, dst_y, width); ABGRToYRow(src_abgr + src_stride_abgr, dst_y + dst_stride_y, width); src_abgr += src_stride_abgr * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { ABGRToUVRow(src_abgr, 0, dst_u, dst_v, width); ABGRToYRow(src_abgr, dst_y, width); } return 0; } LIBYUV_API int RGBAToI420(const uint8* src_rgba, int src_stride_rgba, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (!src_rgba || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_rgba = src_rgba + (height - 1) * src_stride_rgba; src_stride_rgba = -src_stride_rgba; } void (*RGBAToYRow)(const uint8* src_rgba, uint8* dst_y, int pix); void (*RGBAToUVRow)(const uint8* src_rgba0, int src_stride_rgba, uint8* dst_u, uint8* dst_v, int width); RGBAToYRow = RGBAToYRow_C; RGBAToUVRow = RGBAToUVRow_C; #if defined(HAS_RGBATOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { RGBAToUVRow = RGBAToUVRow_Any_SSSE3; RGBAToYRow = RGBAToYRow_Any_SSSE3; } if (IS_ALIGNED(width, 16)) { RGBAToUVRow = RGBAToUVRow_Unaligned_SSSE3; RGBAToYRow = RGBAToYRow_Unaligned_SSSE3; if (IS_ALIGNED(src_rgba, 16) && IS_ALIGNED(src_stride_rgba, 16)) { RGBAToUVRow = RGBAToUVRow_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { RGBAToYRow = RGBAToYRow_SSSE3; } } } } #endif for (int y = 0; y < height - 1; y += 2) { RGBAToUVRow(src_rgba, src_stride_rgba, dst_u, dst_v, width); RGBAToYRow(src_rgba, dst_y, width); RGBAToYRow(src_rgba + src_stride_rgba, dst_y + dst_stride_y, width); src_rgba += src_stride_rgba * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { RGBAToUVRow(src_rgba, 0, dst_u, dst_v, width); RGBAToYRow(src_rgba, dst_y, width); } return 0; } LIBYUV_API int RGB24ToI420(const uint8* src_rgb24, int src_stride_rgb24, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 4 > kMaxStride) { // Row buffer is required. return -1; } else if (!src_rgb24 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_rgb24 = src_rgb24 + (height - 1) * src_stride_rgb24; src_stride_rgb24 = -src_stride_rgb24; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*RGB24ToARGBRow)(const uint8* src_rgb, uint8* dst_argb, int pix); RGB24ToARGBRow = RGB24ToARGBRow_C; #if defined(HAS_RGB24TOARGBROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3) && TestReadSafe(src_rgb24, src_stride_rgb24, width, height, 3, 48)) { RGB24ToARGBRow = RGB24ToARGBRow_SSSE3; } #endif void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; } ARGBToYRow = ARGBToYRow_Any_SSSE3; if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } #endif for (int y = 0; y < height - 1; y += 2) { RGB24ToARGBRow(src_rgb24, row, width); RGB24ToARGBRow(src_rgb24 + src_stride_rgb24, row + kMaxStride, width); ARGBToUVRow(row, kMaxStride, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); ARGBToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_rgb24 += src_stride_rgb24 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { RGB24ToARGBRow_C(src_rgb24, row, width); ARGBToUVRow(row, 0, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); } return 0; } LIBYUV_API int RAWToI420(const uint8* src_raw, int src_stride_raw, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 4 > kMaxStride) { // Row buffer is required. return -1; } else if (!src_raw || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_raw = src_raw + (height - 1) * src_stride_raw; src_stride_raw = -src_stride_raw; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*RAWToARGBRow)(const uint8* src_rgb, uint8* dst_argb, int pix); RAWToARGBRow = RAWToARGBRow_C; #if defined(HAS_RAWTOARGBROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3) && TestReadSafe(src_raw, src_stride_raw, width, height, 3, 48)) { RAWToARGBRow = RAWToARGBRow_SSSE3; } #endif void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; } ARGBToYRow = ARGBToYRow_Any_SSSE3; if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } #endif for (int y = 0; y < height - 1; y += 2) { RAWToARGBRow(src_raw, row, width); RAWToARGBRow(src_raw + src_stride_raw, row + kMaxStride, width); ARGBToUVRow(row, kMaxStride, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); ARGBToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_raw += src_stride_raw * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { RAWToARGBRow_C(src_raw, row, width); ARGBToUVRow(row, 0, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); } return 0; } LIBYUV_API int RGB565ToI420(const uint8* src_rgb565, int src_stride_rgb565, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 4 > kMaxStride) { // Row buffer is required. return -1; } else if (!src_rgb565 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_rgb565 = src_rgb565 + (height - 1) * src_stride_rgb565; src_stride_rgb565 = -src_stride_rgb565; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*RGB565ToARGBRow)(const uint8* src_rgb, uint8* dst_argb, int pix); RGB565ToARGBRow = RGB565ToARGBRow_C; #if defined(HAS_RGB565TOARGBROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && TestReadSafe(src_rgb565, src_stride_rgb565, width, height, 2, 16)) { RGB565ToARGBRow = RGB565ToARGBRow_SSE2; } #endif void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; } ARGBToYRow = ARGBToYRow_Any_SSSE3; if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } #endif for (int y = 0; y < height - 1; y += 2) { RGB565ToARGBRow(src_rgb565, row, width); RGB565ToARGBRow(src_rgb565 + src_stride_rgb565, row + kMaxStride, width); ARGBToUVRow(row, kMaxStride, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); ARGBToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_rgb565 += src_stride_rgb565 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { RGB565ToARGBRow_C(src_rgb565, row, width); ARGBToUVRow(row, 0, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); } return 0; } LIBYUV_API int ARGB1555ToI420(const uint8* src_argb1555, int src_stride_argb1555, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 4 > kMaxStride) { // Row buffer is required. return -1; } else if (!src_argb1555 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_argb1555 = src_argb1555 + (height - 1) * src_stride_argb1555; src_stride_argb1555 = -src_stride_argb1555; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*ARGB1555ToARGBRow)(const uint8* src_rgb, uint8* dst_argb, int pix); ARGB1555ToARGBRow = ARGB1555ToARGBRow_C; #if defined(HAS_ARGB1555TOARGBROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && TestReadSafe(src_argb1555, src_stride_argb1555, width, height, 2, 16)) { ARGB1555ToARGBRow = ARGB1555ToARGBRow_SSE2; } #endif void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; } ARGBToYRow = ARGBToYRow_Any_SSSE3; if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } #endif for (int y = 0; y < height - 1; y += 2) { ARGB1555ToARGBRow(src_argb1555, row, width); ARGB1555ToARGBRow(src_argb1555 + src_stride_argb1555, row + kMaxStride, width); ARGBToUVRow(row, kMaxStride, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); ARGBToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_argb1555 += src_stride_argb1555 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { ARGB1555ToARGBRow_C(src_argb1555, row, width); ARGBToUVRow(row, 0, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); } return 0; } LIBYUV_API int ARGB4444ToI420(const uint8* src_argb4444, int src_stride_argb4444, uint8* dst_y, int dst_stride_y, uint8* dst_u, int dst_stride_u, uint8* dst_v, int dst_stride_v, int width, int height) { if (width * 4 > kMaxStride) { // Row buffer is required. return -1; } else if (!src_argb4444 || !dst_y || !dst_u || !dst_v || width <= 0 || height == 0) { return -1; } // Negative height means invert the image. if (height < 0) { height = -height; src_argb4444 = src_argb4444 + (height - 1) * src_stride_argb4444; src_stride_argb4444 = -src_stride_argb4444; } SIMD_ALIGNED(uint8 row[kMaxStride * 2]); void (*ARGB4444ToARGBRow)(const uint8* src_rgb, uint8* dst_argb, int pix); ARGB4444ToARGBRow = ARGB4444ToARGBRow_C; #if defined(HAS_ARGB4444TOARGBROW_SSE2) if (TestCpuFlag(kCpuHasSSE2) && TestReadSafe(src_argb4444, src_stride_argb4444, width, height, 2, 16)) { ARGB4444ToARGBRow = ARGB4444ToARGBRow_SSE2; } #endif void (*ARGBToYRow)(const uint8* src_argb, uint8* dst_y, int pix); void (*ARGBToUVRow)(const uint8* src_argb0, int src_stride_argb, uint8* dst_u, uint8* dst_v, int width); ARGBToYRow = ARGBToYRow_C; ARGBToUVRow = ARGBToUVRow_C; #if defined(HAS_ARGBTOYROW_SSSE3) if (TestCpuFlag(kCpuHasSSSE3)) { if (width > 16) { ARGBToUVRow = ARGBToUVRow_Any_SSSE3; } ARGBToYRow = ARGBToYRow_Any_SSSE3; if (IS_ALIGNED(width, 16)) { ARGBToUVRow = ARGBToUVRow_SSSE3; ARGBToYRow = ARGBToYRow_Unaligned_SSSE3; if (IS_ALIGNED(dst_y, 16) && IS_ALIGNED(dst_stride_y, 16)) { ARGBToYRow = ARGBToYRow_SSSE3; } } } #endif for (int y = 0; y < height - 1; y += 2) { ARGB4444ToARGBRow(src_argb4444, row, width); ARGB4444ToARGBRow(src_argb4444 + src_stride_argb4444, row + kMaxStride, width); ARGBToUVRow(row, kMaxStride, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); ARGBToYRow(row + kMaxStride, dst_y + dst_stride_y, width); src_argb4444 += src_stride_argb4444 * 2; dst_y += dst_stride_y * 2; dst_u += dst_stride_u; dst_v += dst_stride_v; } if (height & 1) { ARGB4444ToARGBRow_C(src_argb4444, row, width); ARGBToUVRow(row, 0, dst_u, dst_v, width); ARGBToYRow(row, dst_y, width); } return 0; } #ifdef HAVE_JPEG struct I420Buffers { uint8* y; int y_stride; uint8* u; int u_stride; uint8* v; int v_stride; int w; int h; }; static void JpegCopyI420(void* opaque, const uint8* const* data, const int* strides, int rows) { I420Buffers* dest = static_cast<I420Buffers*>(opaque); I420Copy(data[0], strides[0], data[1], strides[1], data[2], strides[2], dest->y, dest->y_stride, dest->u, dest->u_stride, dest->v, dest->v_stride, dest->w, rows); dest->y += rows * dest->y_stride; dest->u += ((rows + 1) >> 1) * dest->u_stride; dest->v += ((rows + 1) >> 1) * dest->v_stride; dest->h -= rows; } static void JpegI422ToI420(void* opaque, const uint8* const* data, const int* strides, int rows) { I420Buffers* dest = static_cast<I420Buffers*>(opaque); I422ToI420(data[0], strides[0], data[1], strides[1], data[2], strides[2], dest->y, dest->y_stride, dest->u, dest->u_stride, dest->v, dest->v_stride, dest->w, rows); dest->y += rows * dest->y_stride; dest->u += ((rows + 1) >> 1) * dest->u_stride; dest->v += ((rows + 1) >> 1) * dest->v_stride; dest->h -= rows; } static void JpegI444ToI420(void* opaque, const uint8* const* data, const int* strides, int rows) { I420Buffers* dest = static_cast<I420Buffers*>(opaque); I444ToI420(data[0], strides[0], data[1], strides[1], data[2], strides[2], dest->y, dest->y_stride, dest->u, dest->u_stride, dest->v, dest->v_stride, dest->w, rows); dest->y += rows * dest->y_stride; dest->u += ((rows + 1) >> 1) * dest->u_stride; dest->v += ((rows + 1) >> 1) * dest->v_stride; dest->h -= rows; } static void JpegI411ToI420(void* opaque, const uint8* const* data, const int* strides, int rows) { I420Buffers* dest = static_cast<I420Buffers*>(opaque); I411ToI420(data[0], strides[0], data[1], strides[1], data[2], strides[2], dest->y, dest->y_stride, dest->u, dest->u_stride, dest->v, dest->v_stride, dest->w, rows); dest->y += rows * dest->y_stride; dest->u += ((rows + 1) >> 1) * dest->u_stride; dest->v += ((rows + 1) >> 1) * dest->v_stride; dest->h -= rows; } static void JpegI400ToI420(void* opaque, const uint8* const* data, const int* strides, int rows) { I420Buffers* dest = static_cast<I420Buffers*>(opaque); I400ToI420(data[0], strides[0], dest->y, dest->y_stride, dest->u, dest->u_stride, dest->v, dest->v_stride, dest->w, rows); dest->y += rows * dest->y_stride; dest->u += ((rows + 1) >> 1) * dest->u_stride; dest->v += ((rows + 1) >> 1) * dest->v_stride; dest->h -= rows; } // MJPG (Motion JPeg) to I420 // TODO(fbarchard): review w and h requirement. dw and dh may be enough. LIBYUV_API int MJPGToI420(const uint8* sample, size_t sample_size, uint8* y, int y_stride, uint8* u, int u_stride, uint8* v, int v_stride, int w, int h, int dw, int dh) { if (sample_size == kUnknownDataSize) { // ERROR: MJPEG frame size unknown return -1; } // TODO(fbarchard): Port to C MJpegDecoder mjpeg_decoder; bool ret = mjpeg_decoder.LoadFrame(sample, sample_size); if (ret && (mjpeg_decoder.GetWidth() != w || mjpeg_decoder.GetHeight() != h)) { // ERROR: MJPEG frame has unexpected dimensions mjpeg_decoder.UnloadFrame(); return 1; // runtime failure } if (ret) { I420Buffers bufs = { y, y_stride, u, u_stride, v, v_stride, dw, dh }; // YUV420 if (mjpeg_decoder.GetColorSpace() == MJpegDecoder::kColorSpaceYCbCr && mjpeg_decoder.GetNumComponents() == 3 && mjpeg_decoder.GetVertSampFactor(0) == 2 && mjpeg_decoder.GetHorizSampFactor(0) == 2 && mjpeg_decoder.GetVertSampFactor(1) == 1 && mjpeg_decoder.GetHorizSampFactor(1) == 1 && mjpeg_decoder.GetVertSampFactor(2) == 1 && mjpeg_decoder.GetHorizSampFactor(2) == 1) { ret = mjpeg_decoder.DecodeToCallback(&JpegCopyI420, &bufs, dw, dh); // YUV422 } else if (mjpeg_decoder.GetColorSpace() == MJpegDecoder::kColorSpaceYCbCr && mjpeg_decoder.GetNumComponents() == 3 && mjpeg_decoder.GetVertSampFactor(0) == 1 && mjpeg_decoder.GetHorizSampFactor(0) == 2 && mjpeg_decoder.GetVertSampFactor(1) == 1 && mjpeg_decoder.GetHorizSampFactor(1) == 1 && mjpeg_decoder.GetVertSampFactor(2) == 1 && mjpeg_decoder.GetHorizSampFactor(2) == 1) { ret = mjpeg_decoder.DecodeToCallback(&JpegI422ToI420, &bufs, dw, dh); // YUV444 } else if (mjpeg_decoder.GetColorSpace() == MJpegDecoder::kColorSpaceYCbCr && mjpeg_decoder.GetNumComponents() == 3 && mjpeg_decoder.GetVertSampFactor(0) == 1 && mjpeg_decoder.GetHorizSampFactor(0) == 1 && mjpeg_decoder.GetVertSampFactor(1) == 1 && mjpeg_decoder.GetHorizSampFactor(1) == 1 && mjpeg_decoder.GetVertSampFactor(2) == 1 && mjpeg_decoder.GetHorizSampFactor(2) == 1) { ret = mjpeg_decoder.DecodeToCallback(&JpegI444ToI420, &bufs, dw, dh); // YUV411 } else if (mjpeg_decoder.GetColorSpace() == MJpegDecoder::kColorSpaceYCbCr && mjpeg_decoder.GetNumComponents() == 3 && mjpeg_decoder.GetVertSampFactor(0) == 1 && mjpeg_decoder.GetHorizSampFactor(0) == 4 && mjpeg_decoder.GetVertSampFactor(1) == 1 && mjpeg_decoder.GetHorizSampFactor(1) == 1 && mjpeg_decoder.GetVertSampFactor(2) == 1 && mjpeg_decoder.GetHorizSampFactor(2) == 1) { ret = mjpeg_decoder.DecodeToCallback(&JpegI411ToI420, &bufs, dw, dh); // YUV400 } else if (mjpeg_decoder.GetColorSpace() == MJpegDecoder::kColorSpaceGrayscale && mjpeg_decoder.GetNumComponents() == 1 && mjpeg_decoder.GetVertSampFactor(0) == 1 && mjpeg_decoder.GetHorizSampFactor(0) == 1) { ret = mjpeg_decoder.DecodeToCallback(&JpegI400ToI420, &bufs, dw, dh); } else { // TODO(fbarchard): Implement conversion for any other colorspace/sample // factors that occur in practice. 411 is supported by libjpeg // ERROR: Unable to convert MJPEG frame because format is not supported mjpeg_decoder.UnloadFrame(); return 1; } } return 0; } #endif // Convert camera sample to I420 with cropping, rotation and vertical flip. // src_width is used for source stride computation // src_height is used to compute location of planes, and indicate inversion // sample_size is measured in bytes and is the size of the frame. // With MJPEG it is the compressed size of the frame. LIBYUV_API int ConvertToI420(const uint8* sample, #ifdef HAVE_JPEG size_t sample_size, #else size_t /* sample_size */, #endif uint8* y, int y_stride, uint8* u, int u_stride, uint8* v, int v_stride, int crop_x, int crop_y, int src_width, int src_height, int dst_width, int dst_height, RotationMode rotation, uint32 format) { if (!y || !u || !v || !sample || src_width <= 0 || dst_width <= 0 || src_height == 0 || dst_height == 0) { return -1; } int aligned_src_width = (src_width + 1) & ~1; const uint8* src; const uint8* src_uv; int abs_src_height = (src_height < 0) ? -src_height : src_height; int inv_dst_height = (dst_height < 0) ? -dst_height : dst_height; if (src_height < 0) { inv_dst_height = -inv_dst_height; } int r = 0; // One pass rotation is available for some formats. For the rest, convert // to I420 (with optional vertical flipping) into a temporary I420 buffer, // and then rotate the I420 to the final destination buffer. // For in-place conversion, if destination y is same as source sample, // also enable temporary buffer. bool need_buf = (rotation && format != FOURCC_I420 && format != FOURCC_NV12 && format != FOURCC_NV21 && format != FOURCC_YU12 && format != FOURCC_YV12) || y == sample; uint8* tmp_y = y; uint8* tmp_u = u; uint8* tmp_v = v; int tmp_y_stride = y_stride; int tmp_u_stride = u_stride; int tmp_v_stride = v_stride; uint8* buf = NULL; int abs_dst_height = (dst_height < 0) ? -dst_height : dst_height; if (need_buf) { int y_size = dst_width * abs_dst_height; int uv_size = ((dst_width + 1) / 2) * ((abs_dst_height + 1) / 2); buf = new uint8[y_size + uv_size * 2]; if (!buf) { return 1; // Out of memory runtime error. } y = buf; u = y + y_size; v = u + uv_size; y_stride = dst_width; u_stride = v_stride = ((dst_width + 1) / 2); } switch (format) { // Single plane formats case FOURCC_YUY2: src = sample + (aligned_src_width * crop_y + crop_x) * 2; r = YUY2ToI420(src, aligned_src_width * 2, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_UYVY: src = sample + (aligned_src_width * crop_y + crop_x) * 2; r = UYVYToI420(src, aligned_src_width * 2, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_V210: // stride is multiple of 48 pixels (128 bytes). // pixels come in groups of 6 = 16 bytes src = sample + (aligned_src_width + 47) / 48 * 128 * crop_y + crop_x / 6 * 16; r = V210ToI420(src, (aligned_src_width + 47) / 48 * 128, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_24BG: src = sample + (src_width * crop_y + crop_x) * 3; r = RGB24ToI420(src, src_width * 3, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_RAW: src = sample + (src_width * crop_y + crop_x) * 3; r = RAWToI420(src, src_width * 3, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_ARGB: src = sample + (src_width * crop_y + crop_x) * 4; r = ARGBToI420(src, src_width * 4, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_BGRA: src = sample + (src_width * crop_y + crop_x) * 4; r = BGRAToI420(src, src_width * 4, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_ABGR: src = sample + (src_width * crop_y + crop_x) * 4; r = ABGRToI420(src, src_width * 4, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_RGBA: src = sample + (src_width * crop_y + crop_x) * 4; r = RGBAToI420(src, src_width * 4, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_RGBP: src = sample + (src_width * crop_y + crop_x) * 2; r = RGB565ToI420(src, src_width * 2, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_RGBO: src = sample + (src_width * crop_y + crop_x) * 2; r = ARGB1555ToI420(src, src_width * 2, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_R444: src = sample + (src_width * crop_y + crop_x) * 2; r = ARGB4444ToI420(src, src_width * 2, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; // TODO(fbarchard): Support cropping Bayer by odd numbers // by adjusting fourcc. case FOURCC_BGGR: src = sample + (src_width * crop_y + crop_x); r = BayerBGGRToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_GBRG: src = sample + (src_width * crop_y + crop_x); r = BayerGBRGToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_GRBG: src = sample + (src_width * crop_y + crop_x); r = BayerGRBGToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_RGGB: src = sample + (src_width * crop_y + crop_x); r = BayerRGGBToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_I400: src = sample + src_width * crop_y + crop_x; r = I400ToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; // Biplanar formats case FOURCC_NV12: src = sample + (src_width * crop_y + crop_x); src_uv = sample + aligned_src_width * (src_height + crop_y / 2) + crop_x; r = NV12ToI420Rotate(src, src_width, src_uv, aligned_src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height, rotation); break; case FOURCC_NV21: src = sample + (src_width * crop_y + crop_x); src_uv = sample + aligned_src_width * (src_height + crop_y / 2) + crop_x; // Call NV12 but with u and v parameters swapped. r = NV12ToI420Rotate(src, src_width, src_uv, aligned_src_width, y, y_stride, v, v_stride, u, u_stride, dst_width, inv_dst_height, rotation); break; case FOURCC_M420: src = sample + (src_width * crop_y) * 12 / 8 + crop_x; r = M420ToI420(src, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; case FOURCC_Q420: src = sample + (src_width + aligned_src_width * 2) * crop_y + crop_x; src_uv = sample + (src_width + aligned_src_width * 2) * crop_y + src_width + crop_x * 2; r = Q420ToI420(src, src_width * 3, src_uv, src_width * 3, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; // Triplanar formats case FOURCC_I420: case FOURCC_YU12: case FOURCC_YV12: { const uint8* src_y = sample + (src_width * crop_y + crop_x); const uint8* src_u; const uint8* src_v; int halfwidth = (src_width + 1) / 2; int halfheight = (abs_src_height + 1) / 2; if (format == FOURCC_YV12) { src_v = sample + src_width * abs_src_height + (halfwidth * crop_y + crop_x) / 2; src_u = sample + src_width * abs_src_height + halfwidth * (halfheight + crop_y / 2) + crop_x / 2; } else { src_u = sample + src_width * abs_src_height + (halfwidth * crop_y + crop_x) / 2; src_v = sample + src_width * abs_src_height + halfwidth * (halfheight + crop_y / 2) + crop_x / 2; } r = I420Rotate(src_y, src_width, src_u, halfwidth, src_v, halfwidth, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height, rotation); break; } case FOURCC_I422: case FOURCC_YV16: { const uint8* src_y = sample + src_width * crop_y + crop_x; const uint8* src_u; const uint8* src_v; int halfwidth = (src_width + 1) / 2; if (format == FOURCC_YV16) { src_v = sample + src_width * abs_src_height + halfwidth * crop_y + crop_x / 2; src_u = sample + src_width * abs_src_height + halfwidth * (abs_src_height + crop_y) + crop_x / 2; } else { src_u = sample + src_width * abs_src_height + halfwidth * crop_y + crop_x / 2; src_v = sample + src_width * abs_src_height + halfwidth * (abs_src_height + crop_y) + crop_x / 2; } r = I422ToI420(src_y, src_width, src_u, halfwidth, src_v, halfwidth, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; } case FOURCC_I444: case FOURCC_YV24: { const uint8* src_y = sample + src_width * crop_y + crop_x; const uint8* src_u; const uint8* src_v; if (format == FOURCC_YV24) { src_v = sample + src_width * (abs_src_height + crop_y) + crop_x; src_u = sample + src_width * (abs_src_height * 2 + crop_y) + crop_x; } else { src_u = sample + src_width * (abs_src_height + crop_y) + crop_x; src_v = sample + src_width * (abs_src_height * 2 + crop_y) + crop_x; } r = I444ToI420(src_y, src_width, src_u, src_width, src_v, src_width, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; } case FOURCC_I411: { int quarterwidth = (src_width + 3) / 4; const uint8* src_y = sample + src_width * crop_y + crop_x; const uint8* src_u = sample + src_width * abs_src_height + quarterwidth * crop_y + crop_x / 4; const uint8* src_v = sample + src_width * abs_src_height + quarterwidth * (abs_src_height + crop_y) + crop_x / 4; r = I411ToI420(src_y, src_width, src_u, quarterwidth, src_v, quarterwidth, y, y_stride, u, u_stride, v, v_stride, dst_width, inv_dst_height); break; } #ifdef HAVE_JPEG case FOURCC_MJPG: r = MJPGToI420(sample, sample_size, y, y_stride, u, u_stride, v, v_stride, src_width, abs_src_height, dst_width, inv_dst_height); break; #endif default: r = -1; // unknown fourcc - return failure code. } if (need_buf) { if (!r) { r = I420Rotate(y, y_stride, u, u_stride, v, v_stride, tmp_y, tmp_y_stride, tmp_u, tmp_u_stride, tmp_v, tmp_v_stride, dst_width, abs_dst_height, rotation); } delete buf; } return r; } #ifdef __cplusplus } // extern "C" } // namespace libyuv #endif
[ "kallaspriit@gmail.com" ]
kallaspriit@gmail.com
79032f393625ff7b990fe5f33b6b08d3a85ab4b4
cf3f2ef515dc502dec496858d186869f521d8162
/Code/Tools/FBuild/FBuildCore/Graph/NodeProxy.h
5b9b8246b58d842da5c7020f4205342f9298ac7a
[ "LicenseRef-scancode-other-permissive", "LicenseRef-scancode-unknown-license-reference" ]
permissive
liamkf/fastbuild
080809c85600eb2766edf5a09e21ccd08d697826
7c63e69e8c7a63fa598fb23e61102a40ceba10b3
refs/heads/master
2021-01-17T11:32:36.300190
2018-02-06T20:42:14
2018-02-06T20:42:14
62,898,561
2
1
null
2016-07-08T15:26:57
2016-07-08T15:26:57
null
UTF-8
C++
false
false
708
h
// NodeProxy.h - a remote proxy for remote builds //------------------------------------------------------------------------------ #pragma once // Includes //------------------------------------------------------------------------------ #include "Node.h" // FBuild //------------------------------------------------------------------------------ class NodeProxy : public Node { public: explicit NodeProxy( const AString & name ); virtual ~NodeProxy(); virtual bool IsAFile() const; protected: virtual void Save( IOStream & stream ) const; virtual bool DetermineNeedToBuild( bool forceClean ) const; }; //------------------------------------------------------------------------------
[ "franta.fulin@gmail.com" ]
franta.fulin@gmail.com
5b9d032c14f44545a1f31c65f0801d53e59bd9b0
6b5ec0858833bc5878a81e4e4a284c0e936e0151
/source/CPP/LearingCppWithMe/ppt&src01-25/10cpp/10cpp/10cpp/B.cpp
73ff79524edd9532c7249f0dc20547e0fc70c0a8
[]
no_license
sinomiko/reading
c185b58aef9901666926e2fd8aef5becb6e97698
0a7159dfabcb207771672813119c5f56fcd849d4
refs/heads/master
2023-08-16T21:10:39.547361
2023-08-11T03:20:06
2023-08-11T03:20:06
79,688,398
1
5
null
null
null
null
UTF-8
C++
false
false
63
cpp
#include "B.h" #include "A.h" B::B(void) { } B::~B(void) { }
[ "xiaoming.song@ericsson.com" ]
xiaoming.song@ericsson.com
6b1c60341bdf4b8b476a81e4accf4dc33715fada
d0c44dd3da2ef8c0ff835982a437946cbf4d2940
/cmake-build-debug/programs_tiling/function13872/function13872_schedule_0/function13872_schedule_0_wrapper.cpp
7f363f75e69ccb7d4673bd6b979132fb6354c48a
[]
no_license
IsraMekki/tiramisu_code_generator
8b3f1d63cff62ba9f5242c019058d5a3119184a3
5a259d8e244af452e5301126683fa4320c2047a3
refs/heads/master
2020-04-29T17:27:57.987172
2019-04-23T16:50:32
2019-04-23T16:50:32
176,297,755
1
2
null
null
null
null
UTF-8
C++
false
false
856
cpp
#include "Halide.h" #include "function13872_schedule_0_wrapper.h" #include "tiramisu/utils.h" #include <cstdlib> #include <iostream> #include <time.h> #include <fstream> #include <chrono> #define MAX_RAND 200 int main(int, char **){Halide::Buffer<int32_t> buf0(128, 64, 64, 64); init_buffer(buf0, (int32_t)0); auto t1 = std::chrono::high_resolution_clock::now(); function13872_schedule_0(buf0.raw_buffer()); auto t2 = std::chrono::high_resolution_clock::now(); std::chrono::duration<double> diff = t2 - t1; std::ofstream exec_times_file; exec_times_file.open("../data/programs/function13872/function13872_schedule_0/exec_times.txt", std::ios_base::app); if (exec_times_file.is_open()){ exec_times_file << diff.count() * 1000000 << "us" <<std::endl; exec_times_file.close(); } return 0; }
[ "ei_mekki@esi.dz" ]
ei_mekki@esi.dz
96addb066027c06f95782af4d4609f5d336ccfe6
d732c881b57ef5e3c8f8d105b2f2e09b86bcc3fe
/src/module-wx/VType_wxDataViewListStore.cpp
a6f148621d5f714f8a722cee6abb6609efad3bc2
[]
no_license
gura-lang/gurax
9180861394848fd0be1f8e60322b65a92c4c604d
d9fedbc6e10f38af62c53c1bb8a4734118d14ce4
refs/heads/master
2023-09-01T09:15:36.548730
2023-09-01T08:49:33
2023-09-01T08:49:33
160,017,455
10
0
null
null
null
null
UTF-8
C++
false
false
2,567
cpp
//============================================================================== // VType_wxDataViewListStore.cpp // Don't edit this file since it's been generated by Generate.gura. //============================================================================== #include "stdafx.h" Gurax_BeginModuleScope(wx) //------------------------------------------------------------------------------ // Help //------------------------------------------------------------------------------ static const char* g_docHelp_en = u8R"""( # Overview # Predefined Variable ${help.ComposePropertyHelp(wx.DataViewListStore, `en)} # Operator # Cast Operation ${help.ComposeConstructorHelp(wx.DataViewListStore, `en)} ${help.ComposeMethodHelp(wx.DataViewListStore, `en)} )"""; static const char* g_docHelp_ja = u8R"""( # 概要 # 定数 ${help.ComposePropertyHelp(wx.DataViewListStore, `ja)} # オペレータ # キャスト ${help.ComposeConstructorHelp(wx.DataViewListStore, `ja)} ${help.ComposeMethodHelp(wx.DataViewListStore, `ja)} )"""; //------------------------------------------------------------------------------ // Implementation of constructor //------------------------------------------------------------------------------ //----------------------------------------------------------------------------- // Implementation of method //----------------------------------------------------------------------------- //----------------------------------------------------------------------------- // Implementation of property //----------------------------------------------------------------------------- //------------------------------------------------------------------------------ // VType_wxDataViewListStore //------------------------------------------------------------------------------ VType_wxDataViewListStore VTYPE_wxDataViewListStore("DataViewListStore"); void VType_wxDataViewListStore::DoPrepare(Frame& frameOuter) { // Add help AddHelp(Gurax_Symbol(en), g_docHelp_en); AddHelp(Gurax_Symbol(ja), g_docHelp_ja); // Declaration of VType Declare(VTYPE_wxDataViewIndexListModel, Flag::Mutable); // Assignment of method } //------------------------------------------------------------------------------ // Value_wxDataViewListStore //------------------------------------------------------------------------------ VType& Value_wxDataViewListStore::vtype = VTYPE_wxDataViewListStore; String Value_wxDataViewListStore::ToString(const StringStyle& ss) const { return ToStringGeneric(ss, "wx.DataViewListStore"); } Gurax_EndModuleScope(wx)
[ "ypsitau@nifty.com" ]
ypsitau@nifty.com
7dcdf01373bbe26e7bfba4c359adf5e7474bd5f9
9a7c1a4a561061494cc172f5335707d9fb4b8a63
/CCLib/ccCriticalSection.h
ab1dccf59ea212045806fcb1aa086a1cc0cdf821
[ "MIT" ]
permissive
chrishoen/Dev_CCLib
869be0ef44f6167f828d0ba9cfbbfb6712f69cea
75afea90ce5a3b788f58180e486d7fa016223022
refs/heads/master
2023-06-07T07:25:37.380430
2023-05-24T22:56:18
2023-05-24T22:56:18
144,871,532
0
0
null
null
null
null
UTF-8
C++
false
false
1,676
h
#pragma once /*============================================================================== ==============================================================================*/ //****************************************************************************** //****************************************************************************** //****************************************************************************** namespace CC { //****************************************************************************** //****************************************************************************** //****************************************************************************** // These functions provide a synchronization lock that is used to protect // access to critical sections of code. These should be used around short // sections that do not block. These functions are intended to be cross // platform. They use a void* general purpose variable. // Created a critical section. Pass the returned code to the following // functions. void* createCriticalSection(); // Enter a critical section. This is used to lock a resource for a short // time interval. void enterCriticalSection(void* aCriticalSection); // Leave a critical section. This is used to unlock a resource. void leaveCriticalSection(void* aCriticalSection); // Destroy a critical section. void destroyCriticalSection(void* aCriticalSection); //****************************************************************************** //****************************************************************************** //****************************************************************************** }//namespace
[ "chris123hoen@gmail.com" ]
chris123hoen@gmail.com
6c5ffdfbc2dcc08c2361ac6a22304136b0840cd4
6d2f97d9bc0a0b880d051eeb0aad9babaf046495
/Software_and_Programming/C++/TCP/TCP_Server.cpp
7655a0bde9546f8abb0743fe2710e73da0725aa3
[ "MIT" ]
permissive
TomPaynter/Cheat_Sheets
f9c80bf6adc1621cbdac738aeb7336f4bd64ae28
9a780095687ba7441de0b0fd1dc81c3a814a42d6
refs/heads/master
2021-05-03T04:24:08.570429
2017-10-30T14:15:58
2017-10-30T14:15:58
67,031,813
2
1
null
2016-10-30T14:07:19
2016-08-31T11:35:33
C
UTF-8
C++
false
false
3,100
cpp
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <iostream> #include <sys/socket.h> #include <netinet/in.h> #include <arpa/inet.h> #include <thread> class TCP_Server { private: int sockfd, newsockfd; socklen_t clilen; uint8_t rx_buffer[1000]; int rx_buffer_pos; struct sockaddr_in serv_addr, cli_addr; int n; std::mutex rx_buff_mut; std::thread tcp_listener; public: TCP_Server(int portno) { sockfd = socket(AF_INET, SOCK_STREAM, 0); if (sockfd < 0) std::cout << "TCP server: ERROR opening socket" << std::endl; bzero((char *) &serv_addr, sizeof(serv_addr)); serv_addr.sin_family = AF_INET; serv_addr.sin_addr.s_addr = INADDR_ANY; serv_addr.sin_port = htons(portno); if (bind(sockfd, (struct sockaddr *) &serv_addr, sizeof(serv_addr)) < 0) std::cout << "TCP server: ERROR on binding" << std::endl; listen(sockfd,5); clilen = sizeof(cli_addr); std::cout <<"TCP server: waiting for connection "<<std::endl; newsockfd = accept(sockfd, (struct sockaddr *) &cli_addr, &clilen); if (newsockfd < 0) std::cout <<"TCP server: ERROR on accept" << std::endl; std::cout <<"TCP server: got connection from " << inet_ntoa(cli_addr.sin_addr) << " port " << (int) ntohs(cli_addr.sin_port) << std::endl; rx_buffer_pos = 0; std::thread tcp_listener_dummy(&TCP_Server::tcp_listen, this, newsockfd); tcp_listener.swap(tcp_listener_dummy); } ~TCP_Server() { close(newsockfd); close(sockfd); tcp_listener.join(); } void tcp_listen(int socket) { uint8_t temp_buff[250], n; while(1) { n = read(socket, temp_buff, 250); rx_buff_mut.lock(); std::memcpy(&rx_buffer[rx_buffer_pos], &temp_buff[0], n* sizeof(uint8_t)); rx_buffer_pos = rx_buffer_pos + n; rx_buff_mut.unlock(); } } uint8_t tcp_read(uint8_t *buffer) { rx_buff_mut.lock(); int i = rx_buffer_pos; rx_buff_mut.unlock(); if (i == 0) { return 0; } else { rx_buff_mut.lock(); std::memcpy(buffer, rx_buffer, rx_buffer_pos * sizeof(uint8_t)); int i = rx_buffer_pos; rx_buffer_pos = 0; rx_buff_mut.unlock(); return i; } } void tcp_send(uint8_t *buffer, uint8_t length) { send(newsockfd, buffer, length, 0); } }; /* int main(int argc, char *argv[]) { TCP_Server tcp_server(9999); uint8_t bob[100] = "heyo!!!! :D"; uint8_t jill[100]; while(1) { //tcp_server.tcp_send(bob, 11); uint8_t n = tcp_server.tcp_read(jill); if (n > 0) { for(int u = 0; u < n; u++) std::cout << jill[u]; std::cout << std::endl; } std::cout << "." << std::endl; usleep(5000000); } } */
[ "thomas.paynter@student.curtin.edu.au" ]
thomas.paynter@student.curtin.edu.au
a856c9cad2014b553a460bf2a25eb8897cc4422f
5a87c03a0f1dc6cf383fcc636e36de9e2d162f05
/src/game/command/SwapGemsCommand.h
d1626d5726afbe4668bd8eb6ebf75cec4d4f26c9
[]
no_license
zoreslavs/Match-3
0aef0895974f5a999723a2dfaecf0963ddc32b57
71bfaf90148d2b757eca901b43ac5cd50df5a4ae
refs/heads/master
2022-12-24T19:09:37.203355
2020-09-22T09:25:24
2020-09-22T09:25:24
297,590,388
1
0
null
null
null
null
UTF-8
C++
false
false
264
h
#pragma once #include "Command.h" #include "../view/Gem.h" class SwapGemsCommand : public Command { public: SwapGemsCommand(Gem*& selected, Gem*& swiped); bool Execute() override; bool UnExecute() override; private: Gem*& mSelectedGem; Gem*& mSwipedGem; };
[ "zoreslav.slobodyan@gmail.com" ]
zoreslav.slobodyan@gmail.com
323787bc7679bacfc03f2b5c44b6a2ef90d961c7
c1ab333d5ba0b968b1180f6a6af9d037a5d6dd97
/proxy/plugin_url_response_info.cc
54d70872e733cdbd594516b068f49ac75cb7adbb
[ "BSD-3-Clause" ]
permissive
nanox/ppapi
97e38ea4472bdff4fc3df97c040b4ca0de69546b
55f1863b703282e290e42ea68e798579101d1bee
refs/heads/master
2021-01-10T07:00:57.290045
2015-12-07T01:38:13
2015-12-07T01:38:13
47,508,024
1
0
null
null
null
null
UTF-8
C++
false
false
1,267
cc
// Copyright (c) 2010 The Native Client 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 "ppapi/proxy/plugin_url_response_info.h" #include <stdio.h> #include <string.h> #include "native_client/src/include/portability.h" #include "native_client/src/shared/srpc/nacl_srpc.h" #include "ppapi/c/pp_var.h" #include "ppapi/c/dev/ppb_url_response_info_dev.h" #include "ppapi/proxy/generated/ppb_rpc_client.h" #include "ppapi/proxy/plugin_globals.h" #include "ppapi/proxy/utility.h" namespace ppapi_proxy { namespace { bool IsURLResponseInfo(PP_Resource resource) { UNREFERENCED_PARAMETER(resource); return false; } PP_Var GetProperty(PP_Resource response, PP_URLResponseProperty_Dev property) { UNREFERENCED_PARAMETER(response); UNREFERENCED_PARAMETER(property); return PP_MakeUndefined(); } PP_Resource GetBody(PP_Resource response) { UNREFERENCED_PARAMETER(response); return kInvalidResourceId; } } // namespace const PPB_URLResponseInfo_Dev* PluginURLResponseInfo::GetInterface() { static const PPB_URLResponseInfo_Dev intf = { IsURLResponseInfo, GetProperty, GetBody, }; return &intf; } } // namespace ppapi_proxy
[ "brettw@chromium.org" ]
brettw@chromium.org
19180f40bbb86e14a321f63ac25917fc8c5dcdf0
2fcced13f074b25ed42c4b501b236879345aee75
/ObjectsStore.cpp
a6a916924f2065f8f04918d568a31aea0e528d5c
[]
no_license
RussellJerome/StateOfDecay2-SDKGen
3d621d01a2b6faf915fee5a759a741a4fcf8f653
66c16166dcfa3870dd4bb4c08a6cc9f08a5ee0ab
refs/heads/main
2023-05-29T18:32:00.537770
2021-06-23T19:38:03
2021-06-23T19:38:03
379,710,958
0
1
null
null
null
null
UTF-8
C++
false
false
1,057
cpp
#include "ObjectsStore.hpp" #include "PatternFinder.hpp" class FUObjectItem { public: UObject * Object; __int32 Flags; __int32 ClusterIndex; __int32 SerialNumber; }; class TUObjectArray { public: FUObjectItem * Objects; __int32 MaxElements; __int32 NumElements; }; class FUObjectArray { public: int ObjFirstGCIndex; int ObjLastNonGCIndex; int MaxObjectsNotConsideredByGC; bool OpenForDisregardForGC; TUObjectArray ObjObjects; }; FUObjectArray* GlobalObjects; bool ObjectsStore::Initialize() { auto GObjectPattern = FindPattern(GetModuleHandleW(0), (unsigned char*)"\x48\x8D\x0D\x00\x00\x00\x00\x48\x8B\xD3\xE8\x00\x00\x00\x00\x85\xFF\x74\x22", "xxx????xxxx????xxxx"); GlobalObjects = (FUObjectArray*)(GObjectPattern + *(DWORD*)(GObjectPattern + 0x3) + 0x7); return true; } void* ObjectsStore::GetAddress() { return GlobalObjects; } size_t ObjectsStore::GetObjectsNum() const { return GlobalObjects->ObjObjects.NumElements; } UEObject ObjectsStore::GetById(size_t id) const { return GlobalObjects->ObjObjects.Objects[id].Object; }
[ "darkmanvoo@gmail.com" ]
darkmanvoo@gmail.com
a792bc73d520aa0839a3148debb35cb70af94d51
b22588340d7925b614a735bbbde1b351ad657ffc
/athena/Event/xAOD/xAODEventShape/Root/EventShape_v1.cxx
a96d1c9e8c28325ea991491dcc6bd77bea43569b
[]
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
4,524
cxx
/* Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration */ // $Id: EventShape_v1.cxx 639015 2015-01-12 21:15:26Z delsart $ // System include(s): #include <iostream> #include <stdexcept> // Local include(s): #include "xAODEventShape/versions/EventShape_v1.h" /// Helper macro for managing EventShape Accessor objects #define DEFINE_ACCESSOR( NAME ) \ case xAOD::EventShape_v1::NAME: \ { \ static SG::AuxElement::Accessor< float > a( #NAME ); \ return &a; \ } \ break namespace { /// Helper function for getting the Accessor for a given EventShapeID SG::AuxElement::Accessor< float >* eventShapeAccessor( xAOD::EventShape_v1::EventShapeID id ) { switch( id ) { DEFINE_ACCESSOR( Thrust ); DEFINE_ACCESSOR( ThrustEta ); DEFINE_ACCESSOR( ThrustPhi ); DEFINE_ACCESSOR( ThrustMinor ); DEFINE_ACCESSOR( Sphericity ); DEFINE_ACCESSOR( FoxWolfram ); default: break; } // Complain: std::cerr << "eventShapeAccessor ERROR Received unknown " << "xAOD::EventShape::EventShapeID (" << id << ")" << std::endl; return 0; } /// Helper function for getting the Accessor for a given EventDensityID SG::AuxElement::Accessor< float >* eventDensityAccessor( xAOD::EventShape_v1::EventDensityID id ) { switch( id ) { DEFINE_ACCESSOR( Density ); DEFINE_ACCESSOR( DensitySigma ); DEFINE_ACCESSOR( DensityArea ); default: break; } // Complain: std::cerr << "eventDensityAccessor ERROR Received unknown " << "xAOD::EventShape::EventDensityID (" << id << ")" << std::endl; return 0; } /// Helper function retrieving a float variable from the EventShape object bool getAttribute( SG::AuxElement::Accessor< float >* acc, const xAOD::EventShape_v1& es, double &v ) { if( acc && acc->isAvailable( es ) ) { v = ( *acc )( es ); return true; } else { return false; } } /// Helper function retrieving a float variable from the EventShape object double getAttribute( SG::AuxElement::Accessor< float >* acc, const xAOD::EventShape_v1& es ) { if( acc ) { return ( *acc )( es ); } else { throw std::runtime_error( "Asked for unknown xAOD::EventShape " "property" ); } } /// Helper function setting a float variable on the EventShape object bool setAttribute( SG::AuxElement::Accessor< float >* acc, xAOD::EventShape_v1& es, double v ) { if( acc ) { ( *acc )( es ) = v; return true; } else { return false; } } } // private namespace namespace xAOD { EventShape_v1::EventShape_v1() : SG::AuxElement() { } ///////////////////////////////////////////////////////////////////////////// // // Implementation of the shape handling function(s) bool EventShape_v1::getShape( EventShapeID id, double& v ) const { return getAttribute( eventShapeAccessor( id ), *this, v ); } double EventShape_v1::getShape( EventShapeID id ) const { return getAttribute( eventShapeAccessor( id ), *this ); } bool EventShape_v1::setShape( EventShapeID id, double v ) { return setAttribute( eventShapeAccessor( id ), *this, v ); } // ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// // // Implementation of the density handling function(s) bool EventShape_v1::getDensity( EventDensityID id, double &v ) const { return getAttribute( eventDensityAccessor( id ), *this, v ); } double EventShape_v1::getDensity( EventDensityID id ) const { return getAttribute( eventDensityAccessor( id ), *this ); } bool EventShape_v1::setDensity( EventDensityID id, double v ) { return setAttribute( eventDensityAccessor( id ), *this, v ); } // ///////////////////////////////////////////////////////////////////////////// } // namespace xAOD
[ "rushioda@lxplus754.cern.ch" ]
rushioda@lxplus754.cern.ch
a98c5bdd7a5acd8c44c5b37c5ffcafafce28fdb6
9427411638ee575e8c38edc81339679ac05b2993
/spis_skse_plugin/DurabilitySerialization.cpp
85cf424f60222d78d5997ff79414a2d1ca512cfc
[]
no_license
Lazauya/spis2
d30d7413ce700359e18618a1854665648ea04a2f
272638c7e629c90e68460a150ca885f5c651a284
refs/heads/master
2021-01-19T23:01:03.598603
2020-10-09T03:33:39
2020-10-09T03:33:39
88,910,241
1
1
null
null
null
null
UTF-8
C++
false
false
2,116
cpp
#include "DurabilitySerialization.h" #include "version.h" #include "GarbageCollection.h" namespace spis { enum { kTypeInitialized, kTypeDurabilityTracker }; void SerializeDurability::Serialize(SKSESerializationInterface * intfc, DurabilityPair obj) { intfc->WriteRecordData(&obj.maxDurability, sizeof(UInt32)); intfc->WriteRecordData(&obj.curDurability, sizeof(UInt32)); } DurabilityPair SerializeDurability::Unserialize(SKSESerializationInterface * intfc) { UInt32 max, cur; intfc->ReadRecordData(&max, sizeof(UInt32)); intfc->ReadRecordData(&cur, sizeof(UInt32)); return DurabilityPair(max, cur); } void SerializeDurabilityTracker(SKSESerializationInterface * intfc, DurabilityTracker * dt) { SerializeDurability sd; intfc->OpenRecord(kTypeDurabilityTracker, SPIS_SERIALIZATION_VERSION); SerializeBasicTracker<DurabilityPair>(intfc, dt, sd); } DurabilityTracker UnserializeDurabilityTracker(SKSESerializationInterface * intfc) { SerializeDurability sd; BasicTracker<DurabilityPair> btdp = UnserializeBasicTracker<DurabilityPair>(intfc, sd); DurabilityTracker dt; dt.cm = btdp.cm; dt.gm = btdp.gm; dt.ev = btdp.ev; return dt; } void Save(SKSESerializationInterface * intfc) { intfc->OpenRecord(kTypeInitialized, SPIS_SERIALIZATION_VERSION); intfc->WriteRecordData(&g_isInit, sizeof(bool)); SerializeDurabilityTracker(intfc, g_DurabilityTracker); } void Load(SKSESerializationInterface * intfc) { UInt32 type, ver, len; while (intfc->GetNextRecordInfo(&type, &ver, &len)) { switch (type) { case kTypeDurabilityTracker: *g_DurabilityTracker = UnserializeDurabilityTracker(intfc); case kTypeInitialized: intfc->ReadRecordData(&g_isInit, sizeof(bool)); } } } void Revert(SKSESerializationInterface * intfc) { CollectGarbage(); } bool RegisterSerializationCallbacks(SKSESerializationInterface * intfc, PluginHandle handle) { intfc->SetUniqueID(handle, 'SPIS'); intfc->SetRevertCallback(handle, Revert); intfc->SetSaveCallback(handle, Save); intfc->SetLoadCallback(handle, Load); return true; } }
[ "pregracke@gmail.com" ]
pregracke@gmail.com
44b61b4dd4493fdbd47a0b33ba50f1e4ae7f533e
dc2febce911e9d6638612d50842939ed148ffbdb
/statistic.cpp
e74b65d8e94e1d4ff40b98310dcbfb74740245b0
[]
no_license
NKSG/experiment_for_infocom
840e0d4af20f91348e072823facf654eaa3969ee
e62a055311b2be142319a8003d81e26a262c4c88
refs/heads/master
2021-01-24T20:01:21.007136
2013-07-26T11:28:01
2013-07-26T11:28:01
null
0
0
null
null
null
null
UTF-8
C++
false
false
4,659
cpp
#include <map> #include <fstream> #include <string> #include <stdio.h> #include <iostream> using namespace std; struct item{ int age; char workclass[32]; int fnlwgt; char education[32]; int education_num; char marital_status[32]; char occupation[32]; char relationship[32]; char race[32]; char sex[32]; int capital_gain; int capital_loss; int hours_per_week; char native_country[32]; char result[32]; }; #define Get_map_count(map,Key) do{ \ if(map.count(Key)>0) \ map[Key]++; \ else \ map[Key] = 1; \ }while(0) #define MAX_LEN 1024 static unsigned int discard_lines=0; static unsigned int current_line=0; bool pre_process(const char* filename,const char* newfilename) //replace ',' by ' ' { FILE *f=NULL,*fnew=NULL; char buf[MAX_LEN]; unsigned int read=0,len; f = fopen(filename,"r"); fnew = fopen(newfilename,"w"); if(!f){ return false; } if(!fnew){ fclose(f); return false; } while(!feof(f)){ if( fgets(buf,MAX_LEN,f)!=NULL) { char *p = buf; bool discard_flag = false; ++current_line; while(*p!='\n') { if(*p=='?') { discard_lines++; discard_flag=true; break; }else if(*p==','){ *p =' '; } p++; } if(!discard_flag) { fputs(buf,fnew); } } } fclose(f); fclose(fnew); } void process_string_attribute(const char*filename) //统计字符串属性 { struct item entry; FILE * f=NULL; map<string,int> stat[8]; ofstream out("string_statistic.data"); f = fopen(filename,"r"); while(!feof(f)) { fscanf(f,"%d %s %d %s %d %s %s %s %s %s %d %d %d %s %*s",\ &entry.age, entry.workclass, &entry.fnlwgt, entry.education, &entry.education_num,\ entry.marital_status, entry.occupation, entry.relationship, entry.race, entry.sex,\ &entry.capital_gain, &entry.capital_loss, &entry.hours_per_week, entry.native_country); string str = entry.workclass; Get_map_count(stat[0],str); str = entry.education; Get_map_count(stat[1],str); str = entry.marital_status; Get_map_count(stat[2],str); str = entry.occupation; Get_map_count(stat[3],str); str = entry.relationship; Get_map_count(stat[4],str); str = entry.race; Get_map_count(stat[5],str); str = entry.sex; Get_map_count(stat[6],str); str = entry.native_country; Get_map_count(stat[7],str); } for(int i=0;i<8;i++) { for(map<string,int>::iterator p = stat[i].begin();p!=stat[i].end();p++) { out<<"属性:"<<p->first<<" 出现次数:"<<p->second<<endl; } out<<"................."<<endl; } } struct digit_attribute{ int age; int education_num; int capital_gain; int capital_loss; int hours_per_week; }; class classcomp { public: bool operator() (const struct digit_attribute& lhs, const struct digit_attribute& rhs) const { const int *a=&lhs.age,*b=&rhs.age; int index=0; while(index<sizeof(struct digit_attribute)/sizeof(int) && *a==*b) { index++; a++; b++; } if(index==5) return false; return *a<*b; } }; void process_digit_attribute(const char*filename) //统计数字属性 { FILE *f=NULL,*out=NULL; int count =0; struct digit_attribute d; map<struct digit_attribute,int,classcomp> digit_map; out = fopen("digit_statistic.data","w"); fprintf(out,"age education-num capital-gain capital-loss hours-per-week count\n"); f = fopen(filename,"r"); while(!feof(f) && count++<30000) { fscanf(f,"%d %*s %*d %*s %d %*s %*s %*s %*s %*s %d %d %d %*s %*s", \ &d.age, &d.education_num, &d.capital_gain, &d.capital_loss, &d.hours_per_week); //fprintf(out,"%d %d %d %d %d\n",d.age, d.education_num, d.capital_gain, d.capital_loss, d.hours_per_week); Get_map_count(digit_map,d); } for(map<struct digit_attribute,int,classcomp>::iterator p = digit_map.begin();p!=digit_map.end();p++) { const struct digit_attribute* t = &(p->first); fprintf(out,"%-5d%-15d%-14d%-14d%-16d%-14d\n",t->age,t->education_num, t->capital_gain, \ t->capital_loss, t->hours_per_week, p->second); } } int main() { pre_process("adult.data","fnew.data"); printf("total lines:%d\ndiscard lines: %d\n",current_line,discard_lines); process_string_attribute("fnew.data"); //统计字符串属性 process_digit_attribute("fnew.data"); //统计数字属性 return 0; }
[ "402746308@qq.com" ]
402746308@qq.com
84b8dde976bb943b94ce1acc7fd6bdd0c7d764bb
b28305dab0be0e03765c62b97bcd7f49a4f8073d
/chromeos/dbus/session_manager_client.cc
4a2f39043581c9c8e5790dd4a5c66954abb07b0a
[ "BSD-3-Clause" ]
permissive
svarvel/browser-android-tabs
9e5e27e0a6e302a12fe784ca06123e5ce090ced5
bd198b4c7a1aca2f3e91f33005d881f42a8d0c3f
refs/heads/base-72.0.3626.105
2020-04-24T12:16:31.442851
2019-08-02T19:15:36
2019-08-02T19:15:36
171,950,555
1
2
NOASSERTION
2019-08-02T19:15:37
2019-02-21T21:47:44
null
UTF-8
C++
false
false
34,962
cc
// Copyright (c) 2012 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 "chromeos/dbus/session_manager_client.h" #include <stddef.h> #include <stdint.h> #include <memory> #include <utility> #include "base/bind.h" #include "base/bind_helpers.h" #include "base/callback.h" #include "base/files/file_path.h" #include "base/files/file_util.h" #include "base/location.h" #include "base/macros.h" #include "base/metrics/histogram_macros.h" #include "base/path_service.h" #include "base/strings/string_util.h" #include "base/threading/thread_task_runner_handle.h" #include "chromeos/dbus/blocking_method_caller.h" #include "chromeos/dbus/cryptohome/rpc.pb.h" #include "chromeos/dbus/cryptohome_client.h" #include "chromeos/dbus/fake_session_manager_client.h" #include "chromeos/dbus/login_manager/arc.pb.h" #include "chromeos/dbus/login_manager/policy_descriptor.pb.h" #include "components/policy/proto/device_management_backend.pb.h" #include "dbus/bus.h" #include "dbus/message.h" #include "dbus/object_path.h" #include "dbus/object_proxy.h" #include "dbus/scoped_dbus_error.h" #include "third_party/cros_system_api/dbus/service_constants.h" namespace chromeos { namespace { using RetrievePolicyResponseType = SessionManagerClient::RetrievePolicyResponseType; constexpr char kEmptyAccountId[] = ""; // The timeout used when starting the android container is 90 seconds constexpr int kStartArcTimeout = 90 * 1000; // Helper to get the enum type of RetrievePolicyResponseType based on error // name. RetrievePolicyResponseType GetPolicyResponseTypeByError( base::StringPiece error_name) { if (error_name == login_manager::dbus_error::kNone) { return RetrievePolicyResponseType::SUCCESS; } else if (error_name == login_manager::dbus_error::kGetServiceFail || error_name == login_manager::dbus_error::kSessionDoesNotExist) { // TODO(crbug.com/765644, ljusten): Remove kSessionDoesNotExist case once // Chrome OS has switched to kGetServiceFail. return RetrievePolicyResponseType::GET_SERVICE_FAIL; } else if (error_name == login_manager::dbus_error::kSigEncodeFail) { return RetrievePolicyResponseType::POLICY_ENCODE_ERROR; } return RetrievePolicyResponseType::OTHER_ERROR; } // Logs UMA stat for retrieve policy request, corresponding to D-Bus method name // used. void LogPolicyResponseUma(login_manager::PolicyAccountType account_type, RetrievePolicyResponseType response) { switch (account_type) { case login_manager::ACCOUNT_TYPE_DEVICE: UMA_HISTOGRAM_ENUMERATION("Enterprise.RetrievePolicyResponse.Device", response, RetrievePolicyResponseType::COUNT); break; case login_manager::ACCOUNT_TYPE_DEVICE_LOCAL_ACCOUNT: UMA_HISTOGRAM_ENUMERATION( "Enterprise.RetrievePolicyResponse.DeviceLocalAccount", response, RetrievePolicyResponseType::COUNT); break; case login_manager::ACCOUNT_TYPE_USER: UMA_HISTOGRAM_ENUMERATION("Enterprise.RetrievePolicyResponse.User", response, RetrievePolicyResponseType::COUNT); break; case login_manager::ACCOUNT_TYPE_SESSIONLESS_USER: UMA_HISTOGRAM_ENUMERATION( "Enterprise.RetrievePolicyResponse.UserDuringLogin", response, RetrievePolicyResponseType::COUNT); break; } } // Creates a PolicyDescriptor object to store/retrieve Chrome policy. login_manager::PolicyDescriptor MakeChromePolicyDescriptor( login_manager::PolicyAccountType account_type, const std::string& account_id) { login_manager::PolicyDescriptor descriptor; descriptor.set_account_type(account_type); descriptor.set_account_id(account_id); descriptor.set_domain(login_manager::POLICY_DOMAIN_CHROME); return descriptor; } // Creates a pipe that contains the given data. The data will be prefixed by a // size_t sized variable containing the size of the data to read. base::ScopedFD CreatePasswordPipe(const std::string& data) { int pipe_fds[2]; if (!base::CreateLocalNonBlockingPipe(pipe_fds)) { DLOG(ERROR) << "Failed to create pipe"; return base::ScopedFD(); } base::ScopedFD pipe_read_end(pipe_fds[0]); base::ScopedFD pipe_write_end(pipe_fds[1]); const size_t data_size = data.size(); base::WriteFileDescriptor(pipe_write_end.get(), reinterpret_cast<const char*>(&data_size), sizeof(data_size)); base::WriteFileDescriptor(pipe_write_end.get(), data.c_str(), data.size()); return pipe_read_end; } } // namespace // The SessionManagerClient implementation used in production. class SessionManagerClientImpl : public SessionManagerClient { public: SessionManagerClientImpl() : weak_ptr_factory_(this) {} ~SessionManagerClientImpl() override = default; // SessionManagerClient overrides: void SetStubDelegate(StubDelegate* delegate) override { // Do nothing; this isn't a stub implementation. } void AddObserver(Observer* observer) override { observers_.AddObserver(observer); } void RemoveObserver(Observer* observer) override { observers_.RemoveObserver(observer); } bool HasObserver(const Observer* observer) const override { return observers_.HasObserver(observer); } bool IsScreenLocked() const override { return screen_is_locked_; } void EmitLoginPromptVisible() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerEmitLoginPromptVisible); for (auto& observer : observers_) observer.EmitLoginPromptVisibleCalled(); } void EmitAshInitialized() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerEmitAshInitialized); } void RestartJob(int socket_fd, const std::vector<std::string>& argv, VoidDBusMethodCallback callback) override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerRestartJob); dbus::MessageWriter writer(&method_call); writer.AppendFileDescriptor(socket_fd); writer.AppendArrayOfStrings(argv); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnVoidMethod, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void SaveLoginPassword(const std::string& password) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerSaveLoginPassword); dbus::MessageWriter writer(&method_call); base::ScopedFD fd = CreatePasswordPipe(password); if (fd.get() == -1) { LOG(WARNING) << "Could not create password pipe."; return; } writer.AppendFileDescriptor(fd.get()); session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } void StartSession( const cryptohome::AccountIdentifier& cryptohome_id) override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerStartSession); dbus::MessageWriter writer(&method_call); writer.AppendString(cryptohome_id.account_id()); writer.AppendString(""); // Unique ID is deprecated session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } void StopSession() override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerStopSession); dbus::MessageWriter writer(&method_call); writer.AppendString(""); // Unique ID is deprecated session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } void StartDeviceWipe() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerStartDeviceWipe); } void StartTPMFirmwareUpdate(const std::string& update_mode) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerStartTPMFirmwareUpdate); dbus::MessageWriter writer(&method_call); writer.AppendString(update_mode); session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } void RequestLockScreen() override { SimpleMethodCallToSessionManager(login_manager::kSessionManagerLockScreen); } void NotifyLockScreenShown() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerHandleLockScreenShown); } void NotifyLockScreenDismissed() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerHandleLockScreenDismissed); } void NotifySupervisedUserCreationStarted() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerHandleSupervisedUserCreationStarting); } void NotifySupervisedUserCreationFinished() override { SimpleMethodCallToSessionManager( login_manager::kSessionManagerHandleSupervisedUserCreationFinished); } void RetrieveActiveSessions(ActiveSessionsCallback callback) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerRetrieveActiveSessions); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnRetrieveActiveSessions, weak_ptr_factory_.GetWeakPtr(), login_manager::kSessionManagerRetrieveActiveSessions, std::move(callback))); } void RetrieveDevicePolicy(RetrievePolicyCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE, kEmptyAccountId); CallRetrievePolicy(descriptor, std::move(callback)); } RetrievePolicyResponseType BlockingRetrieveDevicePolicy( std::string* policy_out) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE, kEmptyAccountId); return BlockingRetrievePolicy(descriptor, policy_out); } void RetrievePolicyForUser(const cryptohome::AccountIdentifier& cryptohome_id, RetrievePolicyCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_USER, cryptohome_id.account_id()); CallRetrievePolicy(descriptor, std::move(callback)); } RetrievePolicyResponseType BlockingRetrievePolicyForUser( const cryptohome::AccountIdentifier& cryptohome_id, std::string* policy_out) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_USER, cryptohome_id.account_id()); return BlockingRetrievePolicy(descriptor, policy_out); } void RetrievePolicyForUserWithoutSession( const cryptohome::AccountIdentifier& cryptohome_id, RetrievePolicyCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor(login_manager::ACCOUNT_TYPE_SESSIONLESS_USER, cryptohome_id.account_id()); CallRetrievePolicy(descriptor, std::move(callback)); } void RetrieveDeviceLocalAccountPolicy( const std::string& account_name, RetrievePolicyCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE_LOCAL_ACCOUNT, account_name); CallRetrievePolicy(descriptor, std::move(callback)); } RetrievePolicyResponseType BlockingRetrieveDeviceLocalAccountPolicy( const std::string& account_name, std::string* policy_out) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE_LOCAL_ACCOUNT, account_name); return BlockingRetrievePolicy(descriptor, policy_out); } void RetrievePolicy(const login_manager::PolicyDescriptor& descriptor, RetrievePolicyCallback callback) override { CallRetrievePolicy(descriptor, std::move(callback)); } RetrievePolicyResponseType BlockingRetrievePolicy( const login_manager::PolicyDescriptor& descriptor, std::string* policy_out) override { return CallBlockingRetrievePolicy(descriptor, policy_out); } void StoreDevicePolicy(const std::string& policy_blob, VoidDBusMethodCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE, kEmptyAccountId); CallStorePolicy(descriptor, policy_blob, std::move(callback)); } void StorePolicyForUser(const cryptohome::AccountIdentifier& cryptohome_id, const std::string& policy_blob, VoidDBusMethodCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_USER, cryptohome_id.account_id()); CallStorePolicy(descriptor, policy_blob, std::move(callback)); } void StoreDeviceLocalAccountPolicy(const std::string& account_name, const std::string& policy_blob, VoidDBusMethodCallback callback) override { login_manager::PolicyDescriptor descriptor = MakeChromePolicyDescriptor( login_manager::ACCOUNT_TYPE_DEVICE_LOCAL_ACCOUNT, account_name); CallStorePolicy(descriptor, policy_blob, std::move(callback)); } void StorePolicy(const login_manager::PolicyDescriptor& descriptor, const std::string& policy_blob, VoidDBusMethodCallback callback) override { CallStorePolicy(descriptor, policy_blob, std::move(callback)); } bool SupportsRestartToApplyUserFlags() const override { return true; } void SetFlagsForUser(const cryptohome::AccountIdentifier& cryptohome_id, const std::vector<std::string>& flags) override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerSetFlagsForUser); dbus::MessageWriter writer(&method_call); writer.AppendString(cryptohome_id.account_id()); writer.AppendArrayOfStrings(flags); session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } void GetServerBackedStateKeys(StateKeysCallback callback) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerGetServerBackedStateKeys); // Infinite timeout needed because the state keys are not generated as long // as the time sync hasn't been done (which requires network). // TODO(igorcov): Since this is a resource allocated that could last a long // time, we will need to change the behavior to either listen to // LastSyncInfo event from tlsdated or communicate through signals with // session manager in this particular flow. session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_INFINITE, base::BindOnce(&SessionManagerClientImpl::OnGetServerBackedStateKeys, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void StartArcMiniContainer( const login_manager::StartArcMiniContainerRequest& request, StartArcMiniContainerCallback callback) override { DCHECK(!callback.is_null()); dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerStartArcMiniContainer); dbus::MessageWriter writer(&method_call); writer.AppendProtoAsArrayOfBytes(request); session_manager_proxy_->CallMethod( &method_call, kStartArcTimeout, base::BindOnce(&SessionManagerClientImpl::OnStartArcMiniContainer, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void UpgradeArcContainer( const login_manager::UpgradeArcContainerRequest& request, base::OnceClosure success_callback, UpgradeErrorCallback error_callback) override { DCHECK(!success_callback.is_null()); DCHECK(!error_callback.is_null()); dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerUpgradeArcContainer); dbus::MessageWriter writer(&method_call); writer.AppendProtoAsArrayOfBytes(request); session_manager_proxy_->CallMethodWithErrorResponse( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnUpgradeArcContainer, weak_ptr_factory_.GetWeakPtr(), std::move(success_callback), std::move(error_callback))); } void StopArcInstance(VoidDBusMethodCallback callback) override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerStopArcInstance); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnVoidMethod, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void SetArcCpuRestriction( login_manager::ContainerCpuRestrictionState restriction_state, VoidDBusMethodCallback callback) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerSetArcCpuRestriction); dbus::MessageWriter writer(&method_call); writer.AppendUint32(restriction_state); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnVoidMethod, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void EmitArcBooted(const cryptohome::AccountIdentifier& cryptohome_id, VoidDBusMethodCallback callback) override { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerEmitArcBooted); dbus::MessageWriter writer(&method_call); writer.AppendString(cryptohome_id.account_id()); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnVoidMethod, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } void GetArcStartTime(DBusMethodCallback<base::TimeTicks> callback) override { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerGetArcStartTimeTicks); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnGetArcStartTime, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } protected: void Init(dbus::Bus* bus) override { session_manager_proxy_ = bus->GetObjectProxy( login_manager::kSessionManagerServiceName, dbus::ObjectPath(login_manager::kSessionManagerServicePath)); blocking_method_caller_.reset( new BlockingMethodCaller(bus, session_manager_proxy_)); // Signals emitted on the session manager's interface. session_manager_proxy_->ConnectToSignal( login_manager::kSessionManagerInterface, login_manager::kOwnerKeySetSignal, base::Bind(&SessionManagerClientImpl::OwnerKeySetReceived, weak_ptr_factory_.GetWeakPtr()), base::BindOnce(&SessionManagerClientImpl::SignalConnected, weak_ptr_factory_.GetWeakPtr())); session_manager_proxy_->ConnectToSignal( login_manager::kSessionManagerInterface, login_manager::kPropertyChangeCompleteSignal, base::Bind(&SessionManagerClientImpl::PropertyChangeCompleteReceived, weak_ptr_factory_.GetWeakPtr()), base::BindOnce(&SessionManagerClientImpl::SignalConnected, weak_ptr_factory_.GetWeakPtr())); session_manager_proxy_->ConnectToSignal( login_manager::kSessionManagerInterface, login_manager::kScreenIsLockedSignal, base::Bind(&SessionManagerClientImpl::ScreenIsLockedReceived, weak_ptr_factory_.GetWeakPtr()), base::BindOnce(&SessionManagerClientImpl::SignalConnected, weak_ptr_factory_.GetWeakPtr())); session_manager_proxy_->ConnectToSignal( login_manager::kSessionManagerInterface, login_manager::kScreenIsUnlockedSignal, base::Bind(&SessionManagerClientImpl::ScreenIsUnlockedReceived, weak_ptr_factory_.GetWeakPtr()), base::BindOnce(&SessionManagerClientImpl::SignalConnected, weak_ptr_factory_.GetWeakPtr())); session_manager_proxy_->ConnectToSignal( login_manager::kSessionManagerInterface, login_manager::kArcInstanceStopped, base::Bind(&SessionManagerClientImpl::ArcInstanceStoppedReceived, weak_ptr_factory_.GetWeakPtr()), base::BindOnce(&SessionManagerClientImpl::SignalConnected, weak_ptr_factory_.GetWeakPtr())); } private: // Makes a method call to the session manager with no arguments and no // response. void SimpleMethodCallToSessionManager(const std::string& method_name) { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, method_name); session_manager_proxy_->CallMethod(&method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::DoNothing()); } // Called when the method call without result is completed. void OnVoidMethod(VoidDBusMethodCallback callback, dbus::Response* response) { std::move(callback).Run(response); } // Non-blocking call to Session Manager to retrieve policy. void CallRetrievePolicy(const login_manager::PolicyDescriptor& descriptor, RetrievePolicyCallback callback) { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerRetrievePolicyEx); dbus::MessageWriter writer(&method_call); const std::string descriptor_blob = descriptor.SerializeAsString(); // static_cast does not work due to signedness. writer.AppendArrayOfBytes( reinterpret_cast<const uint8_t*>(descriptor_blob.data()), descriptor_blob.size()); session_manager_proxy_->CallMethodWithErrorResponse( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnRetrievePolicy, weak_ptr_factory_.GetWeakPtr(), descriptor.account_type(), std::move(callback))); } // Blocking call to Session Manager to retrieve policy. RetrievePolicyResponseType CallBlockingRetrievePolicy( const login_manager::PolicyDescriptor& descriptor, std::string* policy_out) { dbus::MethodCall method_call( login_manager::kSessionManagerInterface, login_manager::kSessionManagerRetrievePolicyEx); dbus::MessageWriter writer(&method_call); const std::string descriptor_blob = descriptor.SerializeAsString(); // static_cast does not work due to signedness. writer.AppendArrayOfBytes( reinterpret_cast<const uint8_t*>(descriptor_blob.data()), descriptor_blob.size()); dbus::ScopedDBusError error; std::unique_ptr<dbus::Response> response = blocking_method_caller_->CallMethodAndBlockWithError(&method_call, &error); RetrievePolicyResponseType result = RetrievePolicyResponseType::SUCCESS; if (error.is_set() && error.name()) { result = GetPolicyResponseTypeByError(error.name()); } if (result == RetrievePolicyResponseType::SUCCESS) { ExtractPolicyResponseString(descriptor.account_type(), response.get(), policy_out); } else { policy_out->clear(); } LogPolicyResponseUma(descriptor.account_type(), result); return result; } void CallStorePolicy(const login_manager::PolicyDescriptor& descriptor, const std::string& policy_blob, VoidDBusMethodCallback callback) { dbus::MethodCall method_call(login_manager::kSessionManagerInterface, login_manager::kSessionManagerStorePolicyEx); dbus::MessageWriter writer(&method_call); const std::string descriptor_blob = descriptor.SerializeAsString(); // static_cast does not work due to signedness. writer.AppendArrayOfBytes( reinterpret_cast<const uint8_t*>(descriptor_blob.data()), descriptor_blob.size()); writer.AppendArrayOfBytes( reinterpret_cast<const uint8_t*>(policy_blob.data()), policy_blob.size()); session_manager_proxy_->CallMethod( &method_call, dbus::ObjectProxy::TIMEOUT_USE_DEFAULT, base::BindOnce(&SessionManagerClientImpl::OnVoidMethod, weak_ptr_factory_.GetWeakPtr(), std::move(callback))); } // Called when kSessionManagerRetrieveActiveSessions method is complete. void OnRetrieveActiveSessions(const std::string& method_name, ActiveSessionsCallback callback, dbus::Response* response) { if (!response) { std::move(callback).Run(base::nullopt); return; } dbus::MessageReader reader(response); dbus::MessageReader array_reader(nullptr); if (!reader.PopArray(&array_reader)) { LOG(ERROR) << method_name << " response is incorrect: " << response->ToString(); std::move(callback).Run(base::nullopt); return; } ActiveSessionsMap sessions; while (array_reader.HasMoreData()) { dbus::MessageReader dict_entry_reader(nullptr); std::string key; std::string value; if (!array_reader.PopDictEntry(&dict_entry_reader) || !dict_entry_reader.PopString(&key) || !dict_entry_reader.PopString(&value)) { LOG(ERROR) << method_name << " response is incorrect: " << response->ToString(); } else { sessions[key] = value; } } std::move(callback).Run(std::move(sessions)); } // Reads an array of policy data bytes data as std::string. void ExtractPolicyResponseString( login_manager::PolicyAccountType account_type, dbus::Response* response, std::string* extracted) { if (!response) { LOG(ERROR) << "Failed to call RetrievePolicyEx for account type " << account_type; return; } dbus::MessageReader reader(response); const uint8_t* values = nullptr; size_t length = 0; if (!reader.PopArrayOfBytes(&values, &length)) { LOG(ERROR) << "Invalid response: " << response->ToString(); return; } // static_cast does not work due to signedness. extracted->assign(reinterpret_cast<const char*>(values), length); } // Called when kSessionManagerRetrievePolicy or // kSessionManagerRetrievePolicyForUser method is complete. void OnRetrievePolicy(login_manager::PolicyAccountType account_type, RetrievePolicyCallback callback, dbus::Response* response, dbus::ErrorResponse* error) { if (!response) { RetrievePolicyResponseType response_type = GetPolicyResponseTypeByError(error ? error->GetErrorName() : ""); LogPolicyResponseUma(account_type, response_type); std::move(callback).Run(response_type, std::string()); return; } dbus::MessageReader reader(response); std::string proto_blob; ExtractPolicyResponseString(account_type, response, &proto_blob); LogPolicyResponseUma(account_type, RetrievePolicyResponseType::SUCCESS); std::move(callback).Run(RetrievePolicyResponseType::SUCCESS, proto_blob); } // Called when the owner key set signal is received. void OwnerKeySetReceived(dbus::Signal* signal) { dbus::MessageReader reader(signal); std::string result_string; if (!reader.PopString(&result_string)) { LOG(ERROR) << "Invalid signal: " << signal->ToString(); return; } const bool success = base::StartsWith(result_string, "success", base::CompareCase::INSENSITIVE_ASCII); for (auto& observer : observers_) observer.OwnerKeySet(success); } // Called when the property change complete signal is received. void PropertyChangeCompleteReceived(dbus::Signal* signal) { dbus::MessageReader reader(signal); std::string result_string; if (!reader.PopString(&result_string)) { LOG(ERROR) << "Invalid signal: " << signal->ToString(); return; } const bool success = base::StartsWith(result_string, "success", base::CompareCase::INSENSITIVE_ASCII); for (auto& observer : observers_) observer.PropertyChangeComplete(success); } void ScreenIsLockedReceived(dbus::Signal* signal) { screen_is_locked_ = true; } void ScreenIsUnlockedReceived(dbus::Signal* signal) { screen_is_locked_ = false; } void ArcInstanceStoppedReceived(dbus::Signal* signal) { dbus::MessageReader reader(signal); auto reason = login_manager::ArcContainerStopReason::CRASH; uint32_t value = 0; if (reader.PopUint32(&value)) { reason = static_cast<login_manager::ArcContainerStopReason>(value); } else { LOG(ERROR) << "Invalid signal: " << signal->ToString(); return; } std::string container_instance_id; if (!reader.PopString(&container_instance_id)) { LOG(ERROR) << "Invalid signal: " << signal->ToString(); return; } for (auto& observer : observers_) observer.ArcInstanceStopped(reason, container_instance_id); } // Called when the object is connected to the signal. void SignalConnected(const std::string& interface_name, const std::string& signal_name, bool success) { LOG_IF(ERROR, !success) << "Failed to connect to " << signal_name; } // Called when kSessionManagerGetServerBackedStateKeys method is complete. void OnGetServerBackedStateKeys(StateKeysCallback callback, dbus::Response* response) { std::vector<std::string> state_keys; if (response) { dbus::MessageReader reader(response); dbus::MessageReader array_reader(nullptr); if (!reader.PopArray(&array_reader)) { LOG(ERROR) << "Bad response: " << response->ToString(); } else { while (array_reader.HasMoreData()) { const uint8_t* data = nullptr; size_t size = 0; if (!array_reader.PopArrayOfBytes(&data, &size)) { LOG(ERROR) << "Bad response: " << response->ToString(); state_keys.clear(); break; } state_keys.emplace_back(reinterpret_cast<const char*>(data), size); } } } std::move(callback).Run(state_keys); } void OnGetArcStartTime(DBusMethodCallback<base::TimeTicks> callback, dbus::Response* response) { if (!response) { std::move(callback).Run(base::nullopt); return; } dbus::MessageReader reader(response); int64_t ticks = 0; if (!reader.PopInt64(&ticks)) { LOG(ERROR) << "Invalid response: " << response->ToString(); std::move(callback).Run(base::nullopt); return; } std::move(callback).Run(base::TimeTicks::FromInternalValue(ticks)); } void OnStartArcMiniContainer(StartArcMiniContainerCallback callback, dbus::Response* response) { if (!response) { std::move(callback).Run(base::nullopt); return; } dbus::MessageReader reader(response); std::string container_instance_id; if (!reader.PopString(&container_instance_id)) { LOG(ERROR) << "Invalid response: " << response->ToString(); std::move(callback).Run(base::nullopt); return; } std::move(callback).Run(std::move(container_instance_id)); } void OnUpgradeArcContainer(base::OnceClosure success_callback, UpgradeErrorCallback error_callback, dbus::Response* response, dbus::ErrorResponse* error) { if (!response) { LOG(ERROR) << "Failed to call UpgradeArcContainer: " << (error ? error->ToString() : "(null)"); std::move(error_callback) .Run(error && error->GetErrorName() == login_manager::dbus_error::kLowFreeDisk); return; } std::move(success_callback).Run(); } dbus::ObjectProxy* session_manager_proxy_ = nullptr; std::unique_ptr<BlockingMethodCaller> blocking_method_caller_; base::ObserverList<Observer>::Unchecked observers_; // Most recent screen-lock state received from session_manager. bool screen_is_locked_ = false; // Note: This should remain the last member so it'll be destroyed and // invalidate its weak pointers before any other members are destroyed. base::WeakPtrFactory<SessionManagerClientImpl> weak_ptr_factory_; DISALLOW_COPY_AND_ASSIGN(SessionManagerClientImpl); }; SessionManagerClient::SessionManagerClient() = default; SessionManagerClient::~SessionManagerClient() = default; SessionManagerClient* SessionManagerClient::Create( DBusClientImplementationType type) { if (type == REAL_DBUS_CLIENT_IMPLEMENTATION) return new SessionManagerClientImpl(); DCHECK_EQ(FAKE_DBUS_CLIENT_IMPLEMENTATION, type); return new FakeSessionManagerClient( FakeSessionManagerClient::PolicyStorageType::kOnDisk); } } // namespace chromeos
[ "artem@brave.com" ]
artem@brave.com
50cc32bec3fd2d9f6dd5a491148a8b50948c225f
b257bd5ea374c8fb296dbc14590db56cb7e741d8
/Extras/DevExpress VCL/ExpressQuantumGrid/Demos/CBuilder/ColumnsMultiEditorsDemo/ColumnsMultiEditorsDemoMain.cpp
5a9a4b8fbdd25c083a4cc583434228625c4b6ad4
[]
no_license
kitesoft/Roomer-PMS-1
3d362069e3093f2a49570fc1677fe5682de3eabd
c2f4ac76b4974e4a174a08bebdb02536a00791fd
refs/heads/master
2021-09-14T07:13:32.387737
2018-05-04T12:56:58
2018-05-04T12:56:58
null
0
0
null
null
null
null
UTF-8
C++
false
false
4,318
cpp
//--------------------------------------------------------------------------- #include <vcl.h> #include <stdlib.h> #include "shellapi.hpp" #pragma hdrstop #include "ColumnsMultiEditorsDemoMain.h" #include "AboutDemoForm.h" //--------------------------------------------------------------------------- #pragma package(smart_init) #pragma link "cxClasses" #pragma link "cxControls" #pragma link "cxCustomData" #pragma link "cxData" #pragma link "cxEdit" #pragma link "cxEditRepositoryItems" #pragma link "cxFilter" #pragma link "cxGraphics" #pragma link "cxGrid" #pragma link "cxGridCustomTableView" #pragma link "cxGridCustomView" #pragma link "cxGridLevel" #pragma link "cxGridTableView" #pragma link "cxStyles" #pragma link "cxLookAndFeels" #pragma resource "*.dfm" TColumnsMultiEditorsDemoMainForm *ColumnsMultiEditorsDemoMainForm; //--------------------------------------------------------------------------- __fastcall TColumnsMultiEditorsDemoMainForm::TColumnsMultiEditorsDemoMainForm(TComponent* Owner) : TfmBaseForm(Owner) { } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::FormCreate( TObject *Sender) { tvSkills->BeginUpdate(); try { clnSkill->DataBinding->ValueTypeClass = (TcxValueTypeClass)__classid(TcxStringValueType); clnGrade->DataBinding->ValueTypeClass = (TcxValueTypeClass)__classid(TcxVariantValueType); clnName->DataBinding->ValueTypeClass = (TcxValueTypeClass)__classid(TcxStringValueType); } __finally { tvSkills->EndUpdate(); } SkillDataSource = new TSkillDataSource(tvSkills, ImageComboLanguages->Properties->Items->Count, ImageComboCommunication->Properties->Items->Count); tvSkills->DataController->CustomDataSource = SkillDataSource; tvSkills->DataController->CustomDataSource->DataChanged(); tvSkills->DataController->Groups->FullExpand(); } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::FormDestroy( TObject *Sender) { tvSkills->DataController->CustomDataSource->Free(); } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::clnGradeGetProperties( TcxCustomGridTableItem *Sender, TcxCustomGridRecord *ARecord, TcxCustomEditProperties *&AProperties) { switch (div(ARecord->RecordIndex, SkillCount).rem) { case 0: {AProperties = SpinItemYears->Properties; break;} case 1: {AProperties = ImageComboLanguages->Properties; break; } case 2: {AProperties = ImageComboLanguages->Properties; break; } case 3: {AProperties = ImageComboCommunication->Properties; break; } case 4: {AProperties = DateItemStartWorkFrom->Properties; break; } } } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::miEditButtonsAlwaysClick( TObject *Sender) { if(tvSkills->OptionsView->ShowEditButtons != gsebAlways){ ((TMenuItem*)Sender)->Checked = true; tvSkills->OptionsView->ShowEditButtons = gsebAlways; }; } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::miEditButtonsFocusedRecordClick( TObject *Sender) { if(tvSkills->OptionsView->ShowEditButtons != gsebForFocusedRecord) { ((TMenuItem*)Sender)->Checked = true; tvSkills->OptionsView->ShowEditButtons = gsebForFocusedRecord; }; } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::miEditButtonsNeverClick( TObject *Sender) { if(tvSkills->OptionsView->ShowEditButtons != gsebNever) { ((TMenuItem*)Sender)->Checked = true; tvSkills->OptionsView->ShowEditButtons = gsebNever; }; } //--------------------------------------------------------------------------- void __fastcall TColumnsMultiEditorsDemoMainForm::DateItemStartWorkFromPropertiesGetDayOfWeekState(TObject *Sender, TDay ADayOfWeek, TCustomDrawState AState, TFont *AFont, TColor &ABackgroundColor) { if ((ADayOfWeek == dSaturday) || (ADayOfWeek == dSunday)) AFont->Color = clRed; } //---------------------------------------------------------------------------
[ "bas@roomerpms.com" ]
bas@roomerpms.com
620eda264c2dd467209478bed863927c58a2c0bb
6c0e8a23af93c38dc9d62b43fb3b96d952a85c21
/hello/643B.cpp
b2dfdb31d6c7903687fffab38de2f4bcc45f3d21
[]
no_license
Bernini0/Codes
9072be1f3a1213d1dc582c233ebcedf991b62f2b
377ec182232d8cfe23baffa4ea4c43ebef5f10bf
refs/heads/main
2023-07-06T13:10:49.072244
2021-08-11T17:30:03
2021-08-11T17:30:03
393,320,827
0
0
null
null
null
null
UTF-8
C++
false
false
1,422
cpp
#include <bits/stdc++.h> using namespace std; int main() { int n; scanf("%d",&n); int arr[n + 1]; int arr2[100001]; memset(arr2, 0, sizeof(arr2)); for (int i = 0; i < n; i++) { scanf("%d",&arr[i]); } arr[n] = 0; int count = 0; for (int i = 0; i < n && (arr[i] != 0); i++) { int cnt = 0; int cnr2 = 0; int a, c = 0; for (int j = i + 1; j <= n; j++) { if (arr[i] == arr[j]) { arr[j] = 0; if (cnt == 0) { cnt = j - i; c = j - i; } else if (cnt != 0 && ((j - i) - cnt) == c) { cnt = (j - i); } else if (cnt != 0 && ((j - i) - cnt != c)) { cnr2 = j - i; cnt = (j - i); } } } if (cnr2 != 0) { arr[i] = 0; } a = arr[i]; arr2[a] = c; } for (int i = 0; i <= n; i++) { if (arr[i] != 0) { count++; } } sort(arr, arr + (n + 1)); printf("%d\n", count); for (int i = 0; i <= n; i++) { if (arr[i] != 0) { int b = arr[i]; printf("%d %d\n", arr[i], arr2[b]); } } }
[ "tasnimbinanwar2605@gmail.com" ]
tasnimbinanwar2605@gmail.com
5c7a85175de14c5455aec14e2df6a3d59f0dbfae
cb77dcbbce6c480f68c3dcb8610743f027bee95c
/android/art/dex2oat/linker/image_writer.cc
5d99aef1c9f23ca2f70c0b229b639a09863915e2
[ "Apache-2.0", "NCSA", "MIT" ]
permissive
fengjixuchui/deoptfuscator
c888b93361d837ef619b9eb95ffd4b01a4bef51a
dec8fbf2b59f8dddf2dbd10868726b255364e1c5
refs/heads/master
2023-03-17T11:49:00.988260
2023-03-09T02:01:47
2023-03-09T02:01:47
333,074,914
0
0
MIT
2023-03-09T02:01:48
2021-01-26T12:16:31
null
UTF-8
C++
false
false
125,379
cc
/* * Copyright (C) 2011 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. */ #include "image_writer.h" #include <lz4.h> #include <lz4hc.h> #include <sys/stat.h> #include <memory> #include <numeric> #include <unordered_set> #include <vector> #include "art_field-inl.h" #include "art_method-inl.h" #include "base/callee_save_type.h" #include "base/enums.h" #include "base/logging.h" // For VLOG. #include "base/unix_file/fd_file.h" #include "class_linker-inl.h" #include "compiled_method.h" #include "dex/dex_file-inl.h" #include "dex/dex_file_types.h" #include "driver/compiler_driver.h" #include "elf_file.h" #include "elf_utils.h" #include "gc/accounting/card_table-inl.h" #include "gc/accounting/heap_bitmap.h" #include "gc/accounting/space_bitmap-inl.h" #include "gc/collector/concurrent_copying.h" #include "gc/heap-visit-objects-inl.h" #include "gc/heap.h" #include "gc/space/large_object_space.h" #include "gc/space/space-inl.h" #include "gc/verification.h" #include "globals.h" #include "handle_scope-inl.h" #include "image.h" #include "imt_conflict_table.h" #include "subtype_check.h" #include "jni_internal.h" #include "linear_alloc.h" #include "lock_word.h" #include "mirror/array-inl.h" #include "mirror/class-inl.h" #include "mirror/class_ext.h" #include "mirror/class_loader.h" #include "mirror/dex_cache-inl.h" #include "mirror/dex_cache.h" #include "mirror/executable.h" #include "mirror/method.h" #include "mirror/object-inl.h" #include "mirror/object-refvisitor-inl.h" #include "mirror/object_array-inl.h" #include "mirror/string-inl.h" #include "oat.h" #include "oat_file.h" #include "oat_file_manager.h" #include "runtime.h" #include "scoped_thread_state_change-inl.h" #include "utils/dex_cache_arrays_layout-inl.h" #include "well_known_classes.h" using ::art::mirror::Class; using ::art::mirror::DexCache; using ::art::mirror::Object; using ::art::mirror::ObjectArray; using ::art::mirror::String; namespace art { namespace linker { // Separate objects into multiple bins to optimize dirty memory use. static constexpr bool kBinObjects = true; // Return true if an object is already in an image space. bool ImageWriter::IsInBootImage(const void* obj) const { gc::Heap* const heap = Runtime::Current()->GetHeap(); if (!compile_app_image_) { DCHECK(heap->GetBootImageSpaces().empty()); return false; } for (gc::space::ImageSpace* boot_image_space : heap->GetBootImageSpaces()) { const uint8_t* image_begin = boot_image_space->Begin(); // Real image end including ArtMethods and ArtField sections. const uint8_t* image_end = image_begin + boot_image_space->GetImageHeader().GetImageSize(); if (image_begin <= obj && obj < image_end) { return true; } } return false; } bool ImageWriter::IsInBootOatFile(const void* ptr) const { gc::Heap* const heap = Runtime::Current()->GetHeap(); if (!compile_app_image_) { DCHECK(heap->GetBootImageSpaces().empty()); return false; } for (gc::space::ImageSpace* boot_image_space : heap->GetBootImageSpaces()) { const ImageHeader& image_header = boot_image_space->GetImageHeader(); if (image_header.GetOatFileBegin() <= ptr && ptr < image_header.GetOatFileEnd()) { return true; } } return false; } static void ClearDexFileCookies() REQUIRES_SHARED(Locks::mutator_lock_) { auto visitor = [](Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { DCHECK(obj != nullptr); Class* klass = obj->GetClass(); if (klass == WellKnownClasses::ToClass(WellKnownClasses::dalvik_system_DexFile)) { ArtField* field = jni::DecodeArtField(WellKnownClasses::dalvik_system_DexFile_cookie); // Null out the cookie to enable determinism. b/34090128 field->SetObject</*kTransactionActive*/false>(obj, nullptr); } }; Runtime::Current()->GetHeap()->VisitObjects(visitor); } bool ImageWriter::PrepareImageAddressSpace() { target_ptr_size_ = InstructionSetPointerSize(compiler_driver_.GetInstructionSet()); gc::Heap* const heap = Runtime::Current()->GetHeap(); { ScopedObjectAccess soa(Thread::Current()); PruneNonImageClasses(); // Remove junk if (compile_app_image_) { // Clear dex file cookies for app images to enable app image determinism. This is required // since the cookie field contains long pointers to DexFiles which are not deterministic. // b/34090128 ClearDexFileCookies(); } else { // Avoid for app image since this may increase RAM and image size. ComputeLazyFieldsForImageClasses(); // Add useful information } } heap->CollectGarbage(/* clear_soft_references */ false); // Remove garbage. if (kIsDebugBuild) { ScopedObjectAccess soa(Thread::Current()); CheckNonImageClassesRemoved(); } { ScopedObjectAccess soa(Thread::Current()); CalculateNewObjectOffsets(); } // This needs to happen after CalculateNewObjectOffsets since it relies on intern_table_bytes_ and // bin size sums being calculated. if (!AllocMemory()) { return false; } return true; } bool ImageWriter::Write(int image_fd, const std::vector<const char*>& image_filenames, const std::vector<const char*>& oat_filenames) { // If image_fd or oat_fd are not kInvalidFd then we may have empty strings in image_filenames or // oat_filenames. CHECK(!image_filenames.empty()); if (image_fd != kInvalidFd) { CHECK_EQ(image_filenames.size(), 1u); } CHECK(!oat_filenames.empty()); CHECK_EQ(image_filenames.size(), oat_filenames.size()); { ScopedObjectAccess soa(Thread::Current()); for (size_t i = 0; i < oat_filenames.size(); ++i) { CreateHeader(i); CopyAndFixupNativeData(i); } } { // TODO: heap validation can't handle these fix up passes. ScopedObjectAccess soa(Thread::Current()); Runtime::Current()->GetHeap()->DisableObjectValidation(); CopyAndFixupObjects(); } for (size_t i = 0; i < image_filenames.size(); ++i) { const char* image_filename = image_filenames[i]; ImageInfo& image_info = GetImageInfo(i); std::unique_ptr<File> image_file; if (image_fd != kInvalidFd) { if (strlen(image_filename) == 0u) { image_file.reset(new File(image_fd, unix_file::kCheckSafeUsage)); // Empty the file in case it already exists. if (image_file != nullptr) { TEMP_FAILURE_RETRY(image_file->SetLength(0)); TEMP_FAILURE_RETRY(image_file->Flush()); } } else { LOG(ERROR) << "image fd " << image_fd << " name " << image_filename; } } else { image_file.reset(OS::CreateEmptyFile(image_filename)); } if (image_file == nullptr) { LOG(ERROR) << "Failed to open image file " << image_filename; return false; } if (!compile_app_image_ && fchmod(image_file->Fd(), 0644) != 0) { PLOG(ERROR) << "Failed to make image file world readable: " << image_filename; image_file->Erase(); return EXIT_FAILURE; } std::unique_ptr<char[]> compressed_data; // Image data size excludes the bitmap and the header. ImageHeader* const image_header = reinterpret_cast<ImageHeader*>(image_info.image_->Begin()); const size_t image_data_size = image_header->GetImageSize() - sizeof(ImageHeader); char* image_data = reinterpret_cast<char*>(image_info.image_->Begin()) + sizeof(ImageHeader); size_t data_size; const char* image_data_to_write; const uint64_t compress_start_time = NanoTime(); CHECK_EQ(image_header->storage_mode_, image_storage_mode_); switch (image_storage_mode_) { case ImageHeader::kStorageModeLZ4HC: // Fall-through. case ImageHeader::kStorageModeLZ4: { const size_t compressed_max_size = LZ4_compressBound(image_data_size); compressed_data.reset(new char[compressed_max_size]); data_size = LZ4_compress_default( reinterpret_cast<char*>(image_info.image_->Begin()) + sizeof(ImageHeader), &compressed_data[0], image_data_size, compressed_max_size); break; } /* * Disabled due to image_test64 flakyness. Both use same decompression. b/27560444 case ImageHeader::kStorageModeLZ4HC: { // Bound is same as non HC. const size_t compressed_max_size = LZ4_compressBound(image_data_size); compressed_data.reset(new char[compressed_max_size]); data_size = LZ4_compressHC( reinterpret_cast<char*>(image_info.image_->Begin()) + sizeof(ImageHeader), &compressed_data[0], image_data_size); break; } */ case ImageHeader::kStorageModeUncompressed: { data_size = image_data_size; image_data_to_write = image_data; break; } default: { LOG(FATAL) << "Unsupported"; UNREACHABLE(); } } if (compressed_data != nullptr) { image_data_to_write = &compressed_data[0]; VLOG(compiler) << "Compressed from " << image_data_size << " to " << data_size << " in " << PrettyDuration(NanoTime() - compress_start_time); if (kIsDebugBuild) { std::unique_ptr<uint8_t[]> temp(new uint8_t[image_data_size]); const size_t decompressed_size = LZ4_decompress_safe( reinterpret_cast<char*>(&compressed_data[0]), reinterpret_cast<char*>(&temp[0]), data_size, image_data_size); CHECK_EQ(decompressed_size, image_data_size); CHECK_EQ(memcmp(image_data, &temp[0], image_data_size), 0) << image_storage_mode_; } } // Write out the image + fields + methods. const bool is_compressed = compressed_data != nullptr; if (!image_file->PwriteFully(image_data_to_write, data_size, sizeof(ImageHeader))) { PLOG(ERROR) << "Failed to write image file data " << image_filename; image_file->Erase(); return false; } // Write out the image bitmap at the page aligned start of the image end, also uncompressed for // convenience. const ImageSection& bitmap_section = image_header->GetImageBitmapSection(); // Align up since data size may be unaligned if the image is compressed. size_t bitmap_position_in_file = RoundUp(sizeof(ImageHeader) + data_size, kPageSize); if (!is_compressed) { CHECK_EQ(bitmap_position_in_file, bitmap_section.Offset()); } if (!image_file->PwriteFully(reinterpret_cast<char*>(image_info.image_bitmap_->Begin()), bitmap_section.Size(), bitmap_position_in_file)) { PLOG(ERROR) << "Failed to write image file " << image_filename; image_file->Erase(); return false; } int err = image_file->Flush(); if (err < 0) { PLOG(ERROR) << "Failed to flush image file " << image_filename << " with result " << err; image_file->Erase(); return false; } // Write header last in case the compiler gets killed in the middle of image writing. // We do not want to have a corrupted image with a valid header. // The header is uncompressed since it contains whether the image is compressed or not. image_header->data_size_ = data_size; if (!image_file->PwriteFully(reinterpret_cast<char*>(image_info.image_->Begin()), sizeof(ImageHeader), 0)) { PLOG(ERROR) << "Failed to write image file header " << image_filename; image_file->Erase(); return false; } CHECK_EQ(bitmap_position_in_file + bitmap_section.Size(), static_cast<size_t>(image_file->GetLength())); if (image_file->FlushCloseOrErase() != 0) { PLOG(ERROR) << "Failed to flush and close image file " << image_filename; return false; } } return true; } void ImageWriter::SetImageOffset(mirror::Object* object, size_t offset) { DCHECK(object != nullptr); DCHECK_NE(offset, 0U); // The object is already deflated from when we set the bin slot. Just overwrite the lock word. object->SetLockWord(LockWord::FromForwardingAddress(offset), false); DCHECK_EQ(object->GetLockWord(false).ReadBarrierState(), 0u); DCHECK(IsImageOffsetAssigned(object)); } void ImageWriter::UpdateImageOffset(mirror::Object* obj, uintptr_t offset) { DCHECK(IsImageOffsetAssigned(obj)) << obj << " " << offset; obj->SetLockWord(LockWord::FromForwardingAddress(offset), false); DCHECK_EQ(obj->GetLockWord(false).ReadBarrierState(), 0u); } void ImageWriter::AssignImageOffset(mirror::Object* object, ImageWriter::BinSlot bin_slot) { DCHECK(object != nullptr); DCHECK_NE(image_objects_offset_begin_, 0u); size_t oat_index = GetOatIndex(object); ImageInfo& image_info = GetImageInfo(oat_index); size_t bin_slot_offset = image_info.GetBinSlotOffset(bin_slot.GetBin()); size_t new_offset = bin_slot_offset + bin_slot.GetIndex(); DCHECK_ALIGNED(new_offset, kObjectAlignment); SetImageOffset(object, new_offset); DCHECK_LT(new_offset, image_info.image_end_); } bool ImageWriter::IsImageOffsetAssigned(mirror::Object* object) const { // Will also return true if the bin slot was assigned since we are reusing the lock word. DCHECK(object != nullptr); return object->GetLockWord(false).GetState() == LockWord::kForwardingAddress; } size_t ImageWriter::GetImageOffset(mirror::Object* object) const { DCHECK(object != nullptr); DCHECK(IsImageOffsetAssigned(object)); LockWord lock_word = object->GetLockWord(false); size_t offset = lock_word.ForwardingAddress(); size_t oat_index = GetOatIndex(object); const ImageInfo& image_info = GetImageInfo(oat_index); DCHECK_LT(offset, image_info.image_end_); return offset; } void ImageWriter::SetImageBinSlot(mirror::Object* object, BinSlot bin_slot) { DCHECK(object != nullptr); DCHECK(!IsImageOffsetAssigned(object)); DCHECK(!IsImageBinSlotAssigned(object)); // Before we stomp over the lock word, save the hash code for later. LockWord lw(object->GetLockWord(false)); switch (lw.GetState()) { case LockWord::kFatLocked: FALLTHROUGH_INTENDED; case LockWord::kThinLocked: { std::ostringstream oss; bool thin = (lw.GetState() == LockWord::kThinLocked); oss << (thin ? "Thin" : "Fat") << " locked object " << object << "(" << object->PrettyTypeOf() << ") found during object copy"; if (thin) { oss << ". Lock owner:" << lw.ThinLockOwner(); } LOG(FATAL) << oss.str(); break; } case LockWord::kUnlocked: // No hash, don't need to save it. break; case LockWord::kHashCode: DCHECK(saved_hashcode_map_.find(object) == saved_hashcode_map_.end()); saved_hashcode_map_.emplace(object, lw.GetHashCode()); break; default: LOG(FATAL) << "Unreachable."; UNREACHABLE(); } object->SetLockWord(LockWord::FromForwardingAddress(bin_slot.Uint32Value()), false); DCHECK_EQ(object->GetLockWord(false).ReadBarrierState(), 0u); DCHECK(IsImageBinSlotAssigned(object)); } void ImageWriter::PrepareDexCacheArraySlots() { // Prepare dex cache array starts based on the ordering specified in the CompilerDriver. // Set the slot size early to avoid DCHECK() failures in IsImageBinSlotAssigned() // when AssignImageBinSlot() assigns their indexes out or order. for (const DexFile* dex_file : compiler_driver_.GetDexFilesForOatFile()) { auto it = dex_file_oat_index_map_.find(dex_file); DCHECK(it != dex_file_oat_index_map_.end()) << dex_file->GetLocation(); ImageInfo& image_info = GetImageInfo(it->second); image_info.dex_cache_array_starts_.Put( dex_file, image_info.GetBinSlotSize(Bin::kDexCacheArray)); DexCacheArraysLayout layout(target_ptr_size_, dex_file); image_info.IncrementBinSlotSize(Bin::kDexCacheArray, layout.Size()); } ClassLinker* class_linker = Runtime::Current()->GetClassLinker(); Thread* const self = Thread::Current(); ReaderMutexLock mu(self, *Locks::dex_lock_); for (const ClassLinker::DexCacheData& data : class_linker->GetDexCachesData()) { ObjPtr<mirror::DexCache> dex_cache = ObjPtr<mirror::DexCache>::DownCast(self->DecodeJObject(data.weak_root)); if (dex_cache == nullptr || IsInBootImage(dex_cache.Ptr())) { continue; } const DexFile* dex_file = dex_cache->GetDexFile(); CHECK(dex_file_oat_index_map_.find(dex_file) != dex_file_oat_index_map_.end()) << "Dex cache should have been pruned " << dex_file->GetLocation() << "; possibly in class path"; DexCacheArraysLayout layout(target_ptr_size_, dex_file); DCHECK(layout.Valid()); size_t oat_index = GetOatIndexForDexCache(dex_cache); ImageInfo& image_info = GetImageInfo(oat_index); uint32_t start = image_info.dex_cache_array_starts_.Get(dex_file); DCHECK_EQ(dex_file->NumTypeIds() != 0u, dex_cache->GetResolvedTypes() != nullptr); AddDexCacheArrayRelocation(dex_cache->GetResolvedTypes(), start + layout.TypesOffset(), dex_cache); DCHECK_EQ(dex_file->NumMethodIds() != 0u, dex_cache->GetResolvedMethods() != nullptr); AddDexCacheArrayRelocation(dex_cache->GetResolvedMethods(), start + layout.MethodsOffset(), dex_cache); DCHECK_EQ(dex_file->NumFieldIds() != 0u, dex_cache->GetResolvedFields() != nullptr); AddDexCacheArrayRelocation(dex_cache->GetResolvedFields(), start + layout.FieldsOffset(), dex_cache); DCHECK_EQ(dex_file->NumStringIds() != 0u, dex_cache->GetStrings() != nullptr); AddDexCacheArrayRelocation(dex_cache->GetStrings(), start + layout.StringsOffset(), dex_cache); if (dex_cache->GetResolvedMethodTypes() != nullptr) { AddDexCacheArrayRelocation(dex_cache->GetResolvedMethodTypes(), start + layout.MethodTypesOffset(), dex_cache); } if (dex_cache->GetResolvedCallSites() != nullptr) { AddDexCacheArrayRelocation(dex_cache->GetResolvedCallSites(), start + layout.CallSitesOffset(), dex_cache); } } } void ImageWriter::AddDexCacheArrayRelocation(void* array, size_t offset, ObjPtr<mirror::DexCache> dex_cache) { if (array != nullptr) { DCHECK(!IsInBootImage(array)); size_t oat_index = GetOatIndexForDexCache(dex_cache); native_object_relocations_.emplace(array, NativeObjectRelocation { oat_index, offset, NativeObjectRelocationType::kDexCacheArray }); } } void ImageWriter::AddMethodPointerArray(mirror::PointerArray* arr) { DCHECK(arr != nullptr); if (kIsDebugBuild) { for (size_t i = 0, len = arr->GetLength(); i < len; i++) { ArtMethod* method = arr->GetElementPtrSize<ArtMethod*>(i, target_ptr_size_); if (method != nullptr && !method->IsRuntimeMethod()) { mirror::Class* klass = method->GetDeclaringClass(); CHECK(klass == nullptr || KeepClass(klass)) << Class::PrettyClass(klass) << " should be a kept class"; } } } // kBinArtMethodClean picked arbitrarily, just required to differentiate between ArtFields and // ArtMethods. pointer_arrays_.emplace(arr, Bin::kArtMethodClean); } void ImageWriter::AssignImageBinSlot(mirror::Object* object, size_t oat_index) { DCHECK(object != nullptr); size_t object_size = object->SizeOf(); // The magic happens here. We segregate objects into different bins based // on how likely they are to get dirty at runtime. // // Likely-to-dirty objects get packed together into the same bin so that // at runtime their page dirtiness ratio (how many dirty objects a page has) is // maximized. // // This means more pages will stay either clean or shared dirty (with zygote) and // the app will use less of its own (private) memory. Bin bin = Bin::kRegular; if (kBinObjects) { // // Changing the bin of an object is purely a memory-use tuning. // It has no change on runtime correctness. // // Memory analysis has determined that the following types of objects get dirtied // the most: // // * Dex cache arrays are stored in a special bin. The arrays for each dex cache have // a fixed layout which helps improve generated code (using PC-relative addressing), // so we pre-calculate their offsets separately in PrepareDexCacheArraySlots(). // Since these arrays are huge, most pages do not overlap other objects and it's not // really important where they are for the clean/dirty separation. Due to their // special PC-relative addressing, we arbitrarily keep them at the end. // * Class'es which are verified [their clinit runs only at runtime] // - classes in general [because their static fields get overwritten] // - initialized classes with all-final statics are unlikely to be ever dirty, // so bin them separately // * Art Methods that are: // - native [their native entry point is not looked up until runtime] // - have declaring classes that aren't initialized // [their interpreter/quick entry points are trampolines until the class // becomes initialized] // // We also assume the following objects get dirtied either never or extremely rarely: // * Strings (they are immutable) // * Art methods that aren't native and have initialized declared classes // // We assume that "regular" bin objects are highly unlikely to become dirtied, // so packing them together will not result in a noticeably tighter dirty-to-clean ratio. // if (object->IsClass()) { bin = Bin::kClassVerified; mirror::Class* klass = object->AsClass(); // Add non-embedded vtable to the pointer array table if there is one. auto* vtable = klass->GetVTable(); if (vtable != nullptr) { AddMethodPointerArray(vtable); } auto* iftable = klass->GetIfTable(); if (iftable != nullptr) { for (int32_t i = 0; i < klass->GetIfTableCount(); ++i) { if (iftable->GetMethodArrayCount(i) > 0) { AddMethodPointerArray(iftable->GetMethodArray(i)); } } } // Move known dirty objects into their own sections. This includes: // - classes with dirty static fields. if (dirty_image_objects_ != nullptr && dirty_image_objects_->find(klass->PrettyDescriptor()) != dirty_image_objects_->end()) { bin = Bin::kKnownDirty; } else if (klass->GetStatus() == ClassStatus::kInitialized) { bin = Bin::kClassInitialized; // If the class's static fields are all final, put it into a separate bin // since it's very likely it will stay clean. uint32_t num_static_fields = klass->NumStaticFields(); if (num_static_fields == 0) { bin = Bin::kClassInitializedFinalStatics; } else { // Maybe all the statics are final? bool all_final = true; for (uint32_t i = 0; i < num_static_fields; ++i) { ArtField* field = klass->GetStaticField(i); if (!field->IsFinal()) { all_final = false; break; } } if (all_final) { bin = Bin::kClassInitializedFinalStatics; } } } } else if (object->GetClass<kVerifyNone>()->IsStringClass()) { bin = Bin::kString; // Strings are almost always immutable (except for object header). } else if (object->GetClass<kVerifyNone>() == Runtime::Current()->GetClassLinker()->GetClassRoot(ClassLinker::kJavaLangObject)) { // Instance of java lang object, probably a lock object. This means it will be dirty when we // synchronize on it. bin = Bin::kMiscDirty; } else if (object->IsDexCache()) { // Dex file field becomes dirty when the image is loaded. bin = Bin::kMiscDirty; } // else bin = kBinRegular } // Assign the oat index too. DCHECK(oat_index_map_.find(object) == oat_index_map_.end()); oat_index_map_.emplace(object, oat_index); ImageInfo& image_info = GetImageInfo(oat_index); size_t offset_delta = RoundUp(object_size, kObjectAlignment); // 64-bit alignment // How many bytes the current bin is at (aligned). size_t current_offset = image_info.GetBinSlotSize(bin); // Move the current bin size up to accommodate the object we just assigned a bin slot. image_info.IncrementBinSlotSize(bin, offset_delta); BinSlot new_bin_slot(bin, current_offset); SetImageBinSlot(object, new_bin_slot); image_info.IncrementBinSlotCount(bin, 1u); // Grow the image closer to the end by the object we just assigned. image_info.image_end_ += offset_delta; } bool ImageWriter::WillMethodBeDirty(ArtMethod* m) const { if (m->IsNative()) { return true; } mirror::Class* declaring_class = m->GetDeclaringClass(); // Initialized is highly unlikely to dirty since there's no entry points to mutate. return declaring_class == nullptr || declaring_class->GetStatus() != ClassStatus::kInitialized; } bool ImageWriter::IsImageBinSlotAssigned(mirror::Object* object) const { DCHECK(object != nullptr); // We always stash the bin slot into a lockword, in the 'forwarding address' state. // If it's in some other state, then we haven't yet assigned an image bin slot. if (object->GetLockWord(false).GetState() != LockWord::kForwardingAddress) { return false; } else if (kIsDebugBuild) { LockWord lock_word = object->GetLockWord(false); size_t offset = lock_word.ForwardingAddress(); BinSlot bin_slot(offset); size_t oat_index = GetOatIndex(object); const ImageInfo& image_info = GetImageInfo(oat_index); DCHECK_LT(bin_slot.GetIndex(), image_info.GetBinSlotSize(bin_slot.GetBin())) << "bin slot offset should not exceed the size of that bin"; } return true; } ImageWriter::BinSlot ImageWriter::GetImageBinSlot(mirror::Object* object) const { DCHECK(object != nullptr); DCHECK(IsImageBinSlotAssigned(object)); LockWord lock_word = object->GetLockWord(false); size_t offset = lock_word.ForwardingAddress(); // TODO: ForwardingAddress should be uint32_t DCHECK_LE(offset, std::numeric_limits<uint32_t>::max()); BinSlot bin_slot(static_cast<uint32_t>(offset)); size_t oat_index = GetOatIndex(object); const ImageInfo& image_info = GetImageInfo(oat_index); DCHECK_LT(bin_slot.GetIndex(), image_info.GetBinSlotSize(bin_slot.GetBin())); return bin_slot; } bool ImageWriter::AllocMemory() { for (ImageInfo& image_info : image_infos_) { ImageSection unused_sections[ImageHeader::kSectionCount]; const size_t length = RoundUp( image_info.CreateImageSections(unused_sections, compile_app_image_), kPageSize); std::string error_msg; image_info.image_.reset(MemMap::MapAnonymous("image writer image", nullptr, length, PROT_READ | PROT_WRITE, false, false, &error_msg)); if (UNLIKELY(image_info.image_.get() == nullptr)) { LOG(ERROR) << "Failed to allocate memory for image file generation: " << error_msg; return false; } // Create the image bitmap, only needs to cover mirror object section which is up to image_end_. CHECK_LE(image_info.image_end_, length); image_info.image_bitmap_.reset(gc::accounting::ContinuousSpaceBitmap::Create( "image bitmap", image_info.image_->Begin(), RoundUp(image_info.image_end_, kPageSize))); if (image_info.image_bitmap_.get() == nullptr) { LOG(ERROR) << "Failed to allocate memory for image bitmap"; return false; } } return true; } class ImageWriter::ComputeLazyFieldsForClassesVisitor : public ClassVisitor { public: bool operator()(ObjPtr<Class> c) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { StackHandleScope<1> hs(Thread::Current()); mirror::Class::ComputeName(hs.NewHandle(c)); return true; } }; void ImageWriter::ComputeLazyFieldsForImageClasses() { ClassLinker* class_linker = Runtime::Current()->GetClassLinker(); ComputeLazyFieldsForClassesVisitor visitor; class_linker->VisitClassesWithoutClassesLock(&visitor); } static bool IsBootClassLoaderClass(ObjPtr<mirror::Class> klass) REQUIRES_SHARED(Locks::mutator_lock_) { return klass->GetClassLoader() == nullptr; } bool ImageWriter::IsBootClassLoaderNonImageClass(mirror::Class* klass) { return IsBootClassLoaderClass(klass) && !IsInBootImage(klass); } // This visitor follows the references of an instance, recursively then prune this class // if a type of any field is pruned. class ImageWriter::PruneObjectReferenceVisitor { public: PruneObjectReferenceVisitor(ImageWriter* image_writer, bool* early_exit, std::unordered_set<mirror::Object*>* visited, bool* result) : image_writer_(image_writer), early_exit_(early_exit), visited_(visited), result_(result) {} ALWAYS_INLINE void VisitRootIfNonNull( mirror::CompressedReference<mirror::Object>* root ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) { } ALWAYS_INLINE void VisitRoot( mirror::CompressedReference<mirror::Object>* root ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) { } ALWAYS_INLINE void operator() (ObjPtr<mirror::Object> obj, MemberOffset offset, bool is_static ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) { mirror::Object* ref = obj->GetFieldObject<mirror::Object, kVerifyNone, kWithoutReadBarrier>(offset); if (ref == nullptr || visited_->find(ref) != visited_->end()) { return; } ObjPtr<mirror::Class> klass = ref->IsClass() ? ref->AsClass() : ref->GetClass(); if (klass == mirror::Method::StaticClass() || klass == mirror::Constructor::StaticClass()) { // Prune all classes using reflection because the content they held will not be fixup. *result_ = true; } if (ref->IsClass()) { *result_ = *result_ || image_writer_->PruneAppImageClassInternal(ref->AsClass(), early_exit_, visited_); } else { // Record the object visited in case of circular reference. visited_->emplace(ref); *result_ = *result_ || image_writer_->PruneAppImageClassInternal(klass, early_exit_, visited_); ref->VisitReferences(*this, *this); // Clean up before exit for next call of this function. visited_->erase(ref); } } ALWAYS_INLINE void operator() (ObjPtr<mirror::Class> klass ATTRIBUTE_UNUSED, ObjPtr<mirror::Reference> ref) const REQUIRES_SHARED(Locks::mutator_lock_) { operator()(ref, mirror::Reference::ReferentOffset(), /* is_static */ false); } ALWAYS_INLINE bool GetResult() const { return result_; } private: ImageWriter* image_writer_; bool* early_exit_; std::unordered_set<mirror::Object*>* visited_; bool* const result_; }; bool ImageWriter::PruneAppImageClass(ObjPtr<mirror::Class> klass) { bool early_exit = false; std::unordered_set<mirror::Object*> visited; return PruneAppImageClassInternal(klass, &early_exit, &visited); } bool ImageWriter::PruneAppImageClassInternal( ObjPtr<mirror::Class> klass, bool* early_exit, std::unordered_set<mirror::Object*>* visited) { DCHECK(early_exit != nullptr); DCHECK(visited != nullptr); DCHECK(compile_app_image_); if (klass == nullptr || IsInBootImage(klass.Ptr())) { return false; } auto found = prune_class_memo_.find(klass.Ptr()); if (found != prune_class_memo_.end()) { // Already computed, return the found value. return found->second; } // Circular dependencies, return false but do not store the result in the memoization table. if (visited->find(klass.Ptr()) != visited->end()) { *early_exit = true; return false; } visited->emplace(klass.Ptr()); bool result = IsBootClassLoaderClass(klass); std::string temp; // Prune if not an image class, this handles any broken sets of image classes such as having a // class in the set but not it's superclass. result = result || !compiler_driver_.IsImageClass(klass->GetDescriptor(&temp)); bool my_early_exit = false; // Only for ourselves, ignore caller. // Remove classes that failed to verify since we don't want to have java.lang.VerifyError in the // app image. if (klass->IsErroneous()) { result = true; } else { ObjPtr<mirror::ClassExt> ext(klass->GetExtData()); CHECK(ext.IsNull() || ext->GetVerifyError() == nullptr) << klass->PrettyClass(); } if (!result) { // Check interfaces since these wont be visited through VisitReferences.) mirror::IfTable* if_table = klass->GetIfTable(); for (size_t i = 0, num_interfaces = klass->GetIfTableCount(); i < num_interfaces; ++i) { result = result || PruneAppImageClassInternal(if_table->GetInterface(i), &my_early_exit, visited); } } if (klass->IsObjectArrayClass()) { result = result || PruneAppImageClassInternal(klass->GetComponentType(), &my_early_exit, visited); } // Check static fields and their classes. if (klass->IsResolved() && klass->NumReferenceStaticFields() != 0) { size_t num_static_fields = klass->NumReferenceStaticFields(); // Presumably GC can happen when we are cross compiling, it should not cause performance // problems to do pointer size logic. MemberOffset field_offset = klass->GetFirstReferenceStaticFieldOffset( Runtime::Current()->GetClassLinker()->GetImagePointerSize()); for (size_t i = 0u; i < num_static_fields; ++i) { mirror::Object* ref = klass->GetFieldObject<mirror::Object>(field_offset); if (ref != nullptr) { if (ref->IsClass()) { result = result || PruneAppImageClassInternal(ref->AsClass(), &my_early_exit, visited); } else { mirror::Class* type = ref->GetClass(); result = result || PruneAppImageClassInternal(type, &my_early_exit, visited); if (!result) { // For non-class case, also go through all the types mentioned by it's fields' // references recursively to decide whether to keep this class. bool tmp = false; PruneObjectReferenceVisitor visitor(this, &my_early_exit, visited, &tmp); ref->VisitReferences(visitor, visitor); result = result || tmp; } } } field_offset = MemberOffset(field_offset.Uint32Value() + sizeof(mirror::HeapReference<mirror::Object>)); } } result = result || PruneAppImageClassInternal(klass->GetSuperClass(), &my_early_exit, visited); // Remove the class if the dex file is not in the set of dex files. This happens for classes that // are from uses-library if there is no profile. b/30688277 mirror::DexCache* dex_cache = klass->GetDexCache(); if (dex_cache != nullptr) { result = result || dex_file_oat_index_map_.find(dex_cache->GetDexFile()) == dex_file_oat_index_map_.end(); } // Erase the element we stored earlier since we are exiting the function. auto it = visited->find(klass.Ptr()); DCHECK(it != visited->end()); visited->erase(it); // Only store result if it is true or none of the calls early exited due to circular // dependencies. If visited is empty then we are the root caller, in this case the cycle was in // a child call and we can remember the result. if (result == true || !my_early_exit || visited->empty()) { prune_class_memo_[klass.Ptr()] = result; } *early_exit |= my_early_exit; return result; } bool ImageWriter::KeepClass(ObjPtr<mirror::Class> klass) { if (klass == nullptr) { return false; } if (compile_app_image_ && Runtime::Current()->GetHeap()->ObjectIsInBootImageSpace(klass)) { // Already in boot image, return true. return true; } std::string temp; if (!compiler_driver_.IsImageClass(klass->GetDescriptor(&temp))) { return false; } if (compile_app_image_) { // For app images, we need to prune boot loader classes that are not in the boot image since // these may have already been loaded when the app image is loaded. // Keep classes in the boot image space since we don't want to re-resolve these. return !PruneAppImageClass(klass); } return true; } class ImageWriter::PruneClassesVisitor : public ClassVisitor { public: PruneClassesVisitor(ImageWriter* image_writer, ObjPtr<mirror::ClassLoader> class_loader) : image_writer_(image_writer), class_loader_(class_loader), classes_to_prune_(), defined_class_count_(0u) { } bool operator()(ObjPtr<mirror::Class> klass) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { if (!image_writer_->KeepClass(klass.Ptr())) { classes_to_prune_.insert(klass.Ptr()); if (klass->GetClassLoader() == class_loader_) { ++defined_class_count_; } } return true; } size_t Prune() REQUIRES_SHARED(Locks::mutator_lock_) { ClassTable* class_table = Runtime::Current()->GetClassLinker()->ClassTableForClassLoader(class_loader_); for (mirror::Class* klass : classes_to_prune_) { std::string storage; const char* descriptor = klass->GetDescriptor(&storage); bool result = class_table->Remove(descriptor); DCHECK(result); DCHECK(!class_table->Remove(descriptor)) << descriptor; } return defined_class_count_; } private: ImageWriter* const image_writer_; const ObjPtr<mirror::ClassLoader> class_loader_; std::unordered_set<mirror::Class*> classes_to_prune_; size_t defined_class_count_; }; class ImageWriter::PruneClassLoaderClassesVisitor : public ClassLoaderVisitor { public: explicit PruneClassLoaderClassesVisitor(ImageWriter* image_writer) : image_writer_(image_writer), removed_class_count_(0) {} virtual void Visit(ObjPtr<mirror::ClassLoader> class_loader) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { PruneClassesVisitor classes_visitor(image_writer_, class_loader); ClassTable* class_table = Runtime::Current()->GetClassLinker()->ClassTableForClassLoader(class_loader); class_table->Visit(classes_visitor); removed_class_count_ += classes_visitor.Prune(); // Record app image class loader. The fake boot class loader should not get registered // and we should end up with only one class loader for an app and none for boot image. if (class_loader != nullptr && class_table != nullptr) { DCHECK(class_loader_ == nullptr); class_loader_ = class_loader; } } size_t GetRemovedClassCount() const { return removed_class_count_; } ObjPtr<mirror::ClassLoader> GetClassLoader() const REQUIRES_SHARED(Locks::mutator_lock_) { return class_loader_; } private: ImageWriter* const image_writer_; size_t removed_class_count_; ObjPtr<mirror::ClassLoader> class_loader_; }; void ImageWriter::VisitClassLoaders(ClassLoaderVisitor* visitor) { WriterMutexLock mu(Thread::Current(), *Locks::classlinker_classes_lock_); visitor->Visit(nullptr); // Visit boot class loader. Runtime::Current()->GetClassLinker()->VisitClassLoaders(visitor); } void ImageWriter::PruneAndPreloadDexCache(ObjPtr<mirror::DexCache> dex_cache, ObjPtr<mirror::ClassLoader> class_loader) { // To ensure deterministic contents of the hash-based arrays, each slot shall contain // the candidate with the lowest index. As we're processing entries in increasing index // order, this means trying to look up the entry for the current index if the slot is // empty or if it contains a higher index. Runtime* runtime = Runtime::Current(); ClassLinker* class_linker = runtime->GetClassLinker(); const DexFile& dex_file = *dex_cache->GetDexFile(); // Prune methods. mirror::MethodDexCacheType* resolved_methods = dex_cache->GetResolvedMethods(); dex::TypeIndex last_class_idx; // Initialized to invalid index. ObjPtr<mirror::Class> last_class = nullptr; for (size_t i = 0, num = dex_cache->GetDexFile()->NumMethodIds(); i != num; ++i) { uint32_t slot_idx = dex_cache->MethodSlotIndex(i); auto pair = mirror::DexCache::GetNativePairPtrSize(resolved_methods, slot_idx, target_ptr_size_); uint32_t stored_index = pair.index; ArtMethod* method = pair.object; if (method != nullptr && i > stored_index) { continue; // Already checked. } // Check if the referenced class is in the image. Note that we want to check the referenced // class rather than the declaring class to preserve the semantics, i.e. using a MethodId // results in resolving the referenced class and that can for example throw OOME. const DexFile::MethodId& method_id = dex_file.GetMethodId(i); if (method_id.class_idx_ != last_class_idx) { last_class_idx = method_id.class_idx_; last_class = class_linker->LookupResolvedType(last_class_idx, dex_cache, class_loader); if (last_class != nullptr && !KeepClass(last_class)) { last_class = nullptr; } } if (method == nullptr || i < stored_index) { if (last_class != nullptr) { // Try to resolve the method with the class linker, which will insert // it into the dex cache if successful. method = class_linker->FindResolvedMethod(last_class, dex_cache, class_loader, i); // If the referenced class is in the image, the defining class must also be there. DCHECK(method == nullptr || KeepClass(method->GetDeclaringClass())); DCHECK(method == nullptr || dex_cache->GetResolvedMethod(i, target_ptr_size_) == method); } } else { DCHECK_EQ(i, stored_index); if (last_class == nullptr) { dex_cache->ClearResolvedMethod(stored_index, target_ptr_size_); } } } // Prune fields and make the contents of the field array deterministic. mirror::FieldDexCacheType* resolved_fields = dex_cache->GetResolvedFields(); last_class_idx = dex::TypeIndex(); // Initialized to invalid index. last_class = nullptr; for (size_t i = 0, end = dex_file.NumFieldIds(); i < end; ++i) { uint32_t slot_idx = dex_cache->FieldSlotIndex(i); auto pair = mirror::DexCache::GetNativePairPtrSize(resolved_fields, slot_idx, target_ptr_size_); uint32_t stored_index = pair.index; ArtField* field = pair.object; if (field != nullptr && i > stored_index) { continue; // Already checked. } // Check if the referenced class is in the image. Note that we want to check the referenced // class rather than the declaring class to preserve the semantics, i.e. using a FieldId // results in resolving the referenced class and that can for example throw OOME. const DexFile::FieldId& field_id = dex_file.GetFieldId(i); if (field_id.class_idx_ != last_class_idx) { last_class_idx = field_id.class_idx_; last_class = class_linker->LookupResolvedType(last_class_idx, dex_cache, class_loader); if (last_class != nullptr && !KeepClass(last_class)) { last_class = nullptr; } } if (field == nullptr || i < stored_index) { if (last_class != nullptr) { field = class_linker->FindResolvedFieldJLS(last_class, dex_cache, class_loader, i); // If the referenced class is in the image, the defining class must also be there. DCHECK(field == nullptr || KeepClass(field->GetDeclaringClass())); DCHECK(field == nullptr || dex_cache->GetResolvedField(i, target_ptr_size_) == field); } } else { DCHECK_EQ(i, stored_index); if (last_class == nullptr) { dex_cache->ClearResolvedField(stored_index, target_ptr_size_); } } } // Prune types and make the contents of the type array deterministic. // This is done after fields and methods as their lookup can touch the types array. for (size_t i = 0, end = dex_cache->GetDexFile()->NumTypeIds(); i < end; ++i) { dex::TypeIndex type_idx(i); uint32_t slot_idx = dex_cache->TypeSlotIndex(type_idx); mirror::TypeDexCachePair pair = dex_cache->GetResolvedTypes()[slot_idx].load(std::memory_order_relaxed); uint32_t stored_index = pair.index; ObjPtr<mirror::Class> klass = pair.object.Read(); if (klass == nullptr || i < stored_index) { klass = class_linker->LookupResolvedType(type_idx, dex_cache, class_loader); if (klass != nullptr) { DCHECK_EQ(dex_cache->GetResolvedType(type_idx), klass); stored_index = i; // For correct clearing below if not keeping the `klass`. } } else if (i == stored_index && !KeepClass(klass)) { dex_cache->ClearResolvedType(dex::TypeIndex(stored_index)); } } // Strings do not need pruning, but the contents of the string array must be deterministic. for (size_t i = 0, end = dex_cache->GetDexFile()->NumStringIds(); i < end; ++i) { dex::StringIndex string_idx(i); uint32_t slot_idx = dex_cache->StringSlotIndex(string_idx); mirror::StringDexCachePair pair = dex_cache->GetStrings()[slot_idx].load(std::memory_order_relaxed); uint32_t stored_index = pair.index; ObjPtr<mirror::String> string = pair.object.Read(); if (string == nullptr || i < stored_index) { string = class_linker->LookupString(string_idx, dex_cache); DCHECK(string == nullptr || dex_cache->GetResolvedString(string_idx) == string); } } } void ImageWriter::PruneNonImageClasses() { Runtime* runtime = Runtime::Current(); ClassLinker* class_linker = runtime->GetClassLinker(); Thread* self = Thread::Current(); ScopedAssertNoThreadSuspension sa(__FUNCTION__); // Prune uses-library dex caches. Only prune the uses-library dex caches since we want to make // sure the other ones don't get unloaded before the OatWriter runs. class_linker->VisitClassTables( [&](ClassTable* table) REQUIRES_SHARED(Locks::mutator_lock_) { table->RemoveStrongRoots( [&](GcRoot<mirror::Object> root) REQUIRES_SHARED(Locks::mutator_lock_) { ObjPtr<mirror::Object> obj = root.Read(); if (obj->IsDexCache()) { // Return true if the dex file is not one of the ones in the map. return dex_file_oat_index_map_.find(obj->AsDexCache()->GetDexFile()) == dex_file_oat_index_map_.end(); } // Return false to avoid removing. return false; }); }); // Remove the undesired classes from the class roots. ObjPtr<mirror::ClassLoader> class_loader; { PruneClassLoaderClassesVisitor class_loader_visitor(this); VisitClassLoaders(&class_loader_visitor); VLOG(compiler) << "Pruned " << class_loader_visitor.GetRemovedClassCount() << " classes"; class_loader = class_loader_visitor.GetClassLoader(); DCHECK_EQ(class_loader != nullptr, compile_app_image_); } // Clear references to removed classes from the DexCaches. std::vector<ObjPtr<mirror::DexCache>> dex_caches; { ReaderMutexLock mu2(self, *Locks::dex_lock_); dex_caches.reserve(class_linker->GetDexCachesData().size()); for (const ClassLinker::DexCacheData& data : class_linker->GetDexCachesData()) { if (self->IsJWeakCleared(data.weak_root)) { continue; } dex_caches.push_back(self->DecodeJObject(data.weak_root)->AsDexCache()); } } for (ObjPtr<mirror::DexCache> dex_cache : dex_caches) { // Pass the class loader associated with the DexCache. This can either be // the app's `class_loader` or `nullptr` if boot class loader. PruneAndPreloadDexCache(dex_cache, IsInBootImage(dex_cache.Ptr()) ? nullptr : class_loader); } // Drop the array class cache in the ClassLinker, as these are roots holding those classes live. class_linker->DropFindArrayClassCache(); // Clear to save RAM. prune_class_memo_.clear(); } void ImageWriter::CheckNonImageClassesRemoved() { if (compiler_driver_.GetImageClasses() != nullptr) { auto visitor = [&](Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { if (obj->IsClass() && !IsInBootImage(obj)) { Class* klass = obj->AsClass(); if (!KeepClass(klass)) { DumpImageClasses(); std::string temp; CHECK(KeepClass(klass)) << Runtime::Current()->GetHeap()->GetVerification()->FirstPathFromRootSet(klass); } } }; gc::Heap* heap = Runtime::Current()->GetHeap(); heap->VisitObjects(visitor); } } void ImageWriter::DumpImageClasses() { auto image_classes = compiler_driver_.GetImageClasses(); CHECK(image_classes != nullptr); for (const std::string& image_class : *image_classes) { LOG(INFO) << " " << image_class; } } mirror::String* ImageWriter::FindInternedString(mirror::String* string) { Thread* const self = Thread::Current(); for (const ImageInfo& image_info : image_infos_) { ObjPtr<mirror::String> const found = image_info.intern_table_->LookupStrong(self, string); DCHECK(image_info.intern_table_->LookupWeak(self, string) == nullptr) << string->ToModifiedUtf8(); if (found != nullptr) { return found.Ptr(); } } if (compile_app_image_) { Runtime* const runtime = Runtime::Current(); ObjPtr<mirror::String> found = runtime->GetInternTable()->LookupStrong(self, string); // If we found it in the runtime intern table it could either be in the boot image or interned // during app image compilation. If it was in the boot image return that, otherwise return null // since it belongs to another image space. if (found != nullptr && runtime->GetHeap()->ObjectIsInBootImageSpace(found.Ptr())) { return found.Ptr(); } DCHECK(runtime->GetInternTable()->LookupWeak(self, string) == nullptr) << string->ToModifiedUtf8(); } return nullptr; } ObjectArray<Object>* ImageWriter::CreateImageRoots(size_t oat_index) const { Runtime* runtime = Runtime::Current(); ClassLinker* class_linker = runtime->GetClassLinker(); Thread* self = Thread::Current(); StackHandleScope<3> hs(self); Handle<Class> object_array_class(hs.NewHandle( class_linker->FindSystemClass(self, "[Ljava/lang/Object;"))); std::unordered_set<const DexFile*> image_dex_files; for (auto& pair : dex_file_oat_index_map_) { const DexFile* image_dex_file = pair.first; size_t image_oat_index = pair.second; if (oat_index == image_oat_index) { image_dex_files.insert(image_dex_file); } } // build an Object[] of all the DexCaches used in the source_space_. // Since we can't hold the dex lock when allocating the dex_caches // ObjectArray, we lock the dex lock twice, first to get the number // of dex caches first and then lock it again to copy the dex // caches. We check that the number of dex caches does not change. size_t dex_cache_count = 0; { ReaderMutexLock mu(self, *Locks::dex_lock_); // Count number of dex caches not in the boot image. for (const ClassLinker::DexCacheData& data : class_linker->GetDexCachesData()) { ObjPtr<mirror::DexCache> dex_cache = ObjPtr<mirror::DexCache>::DownCast(self->DecodeJObject(data.weak_root)); if (dex_cache == nullptr) { continue; } const DexFile* dex_file = dex_cache->GetDexFile(); if (!IsInBootImage(dex_cache.Ptr())) { dex_cache_count += image_dex_files.find(dex_file) != image_dex_files.end() ? 1u : 0u; } } } Handle<ObjectArray<Object>> dex_caches( hs.NewHandle(ObjectArray<Object>::Alloc(self, object_array_class.Get(), dex_cache_count))); CHECK(dex_caches != nullptr) << "Failed to allocate a dex cache array."; { ReaderMutexLock mu(self, *Locks::dex_lock_); size_t non_image_dex_caches = 0; // Re-count number of non image dex caches. for (const ClassLinker::DexCacheData& data : class_linker->GetDexCachesData()) { ObjPtr<mirror::DexCache> dex_cache = ObjPtr<mirror::DexCache>::DownCast(self->DecodeJObject(data.weak_root)); if (dex_cache == nullptr) { continue; } const DexFile* dex_file = dex_cache->GetDexFile(); if (!IsInBootImage(dex_cache.Ptr())) { non_image_dex_caches += image_dex_files.find(dex_file) != image_dex_files.end() ? 1u : 0u; } } CHECK_EQ(dex_cache_count, non_image_dex_caches) << "The number of non-image dex caches changed."; size_t i = 0; for (const ClassLinker::DexCacheData& data : class_linker->GetDexCachesData()) { ObjPtr<mirror::DexCache> dex_cache = ObjPtr<mirror::DexCache>::DownCast(self->DecodeJObject(data.weak_root)); if (dex_cache == nullptr) { continue; } const DexFile* dex_file = dex_cache->GetDexFile(); if (!IsInBootImage(dex_cache.Ptr()) && image_dex_files.find(dex_file) != image_dex_files.end()) { dex_caches->Set<false>(i, dex_cache.Ptr()); ++i; } } } // build an Object[] of the roots needed to restore the runtime int32_t image_roots_size = ImageHeader::NumberOfImageRoots(compile_app_image_); auto image_roots(hs.NewHandle( ObjectArray<Object>::Alloc(self, object_array_class.Get(), image_roots_size))); image_roots->Set<false>(ImageHeader::kDexCaches, dex_caches.Get()); image_roots->Set<false>(ImageHeader::kClassRoots, class_linker->GetClassRoots()); // image_roots[ImageHeader::kClassLoader] will be set later for app image. static_assert(ImageHeader::kClassLoader + 1u == ImageHeader::kImageRootsMax, "Class loader should be the last image root."); for (int32_t i = 0; i < ImageHeader::kImageRootsMax - 1; ++i) { CHECK(image_roots->Get(i) != nullptr); } return image_roots.Get(); } mirror::Object* ImageWriter::TryAssignBinSlot(WorkStack& work_stack, mirror::Object* obj, size_t oat_index) { if (obj == nullptr || IsInBootImage(obj)) { // Object is null or already in the image, there is no work to do. return obj; } if (!IsImageBinSlotAssigned(obj)) { // We want to intern all strings but also assign offsets for the source string. Since the // pruning phase has already happened, if we intern a string to one in the image we still // end up copying an unreachable string. if (obj->IsString()) { // Need to check if the string is already interned in another image info so that we don't have // the intern tables of two different images contain the same string. mirror::String* interned = FindInternedString(obj->AsString()); if (interned == nullptr) { // Not in another image space, insert to our table. interned = GetImageInfo(oat_index).intern_table_->InternStrongImageString(obj->AsString()).Ptr(); DCHECK_EQ(interned, obj); } } else if (obj->IsDexCache()) { oat_index = GetOatIndexForDexCache(obj->AsDexCache()); } else if (obj->IsClass()) { // Visit and assign offsets for fields and field arrays. mirror::Class* as_klass = obj->AsClass(); mirror::DexCache* dex_cache = as_klass->GetDexCache(); DCHECK(!as_klass->IsErroneous()) << as_klass->GetStatus(); if (compile_app_image_) { // Extra sanity, no boot loader classes should be left! CHECK(!IsBootClassLoaderClass(as_klass)) << as_klass->PrettyClass(); } LengthPrefixedArray<ArtField>* fields[] = { as_klass->GetSFieldsPtr(), as_klass->GetIFieldsPtr(), }; // Overwrite the oat index value since the class' dex cache is more accurate of where it // belongs. oat_index = GetOatIndexForDexCache(dex_cache); ImageInfo& image_info = GetImageInfo(oat_index); if (!compile_app_image_) { // Note: Avoid locking to prevent lock order violations from root visiting; // image_info.class_table_ is only accessed from the image writer. image_info.class_table_->InsertWithoutLocks(as_klass); } for (LengthPrefixedArray<ArtField>* cur_fields : fields) { // Total array length including header. if (cur_fields != nullptr) { const size_t header_size = LengthPrefixedArray<ArtField>::ComputeSize(0); // Forward the entire array at once. auto it = native_object_relocations_.find(cur_fields); CHECK(it == native_object_relocations_.end()) << "Field array " << cur_fields << " already forwarded"; size_t offset = image_info.GetBinSlotSize(Bin::kArtField); DCHECK(!IsInBootImage(cur_fields)); native_object_relocations_.emplace( cur_fields, NativeObjectRelocation { oat_index, offset, NativeObjectRelocationType::kArtFieldArray }); offset += header_size; // Forward individual fields so that we can quickly find where they belong. for (size_t i = 0, count = cur_fields->size(); i < count; ++i) { // Need to forward arrays separate of fields. ArtField* field = &cur_fields->At(i); auto it2 = native_object_relocations_.find(field); CHECK(it2 == native_object_relocations_.end()) << "Field at index=" << i << " already assigned " << field->PrettyField() << " static=" << field->IsStatic(); DCHECK(!IsInBootImage(field)); native_object_relocations_.emplace( field, NativeObjectRelocation { oat_index, offset, NativeObjectRelocationType::kArtField }); offset += sizeof(ArtField); } image_info.IncrementBinSlotSize( Bin::kArtField, header_size + cur_fields->size() * sizeof(ArtField)); DCHECK_EQ(offset, image_info.GetBinSlotSize(Bin::kArtField)); } } // Visit and assign offsets for methods. size_t num_methods = as_klass->NumMethods(); if (num_methods != 0) { bool any_dirty = false; for (auto& m : as_klass->GetMethods(target_ptr_size_)) { if (WillMethodBeDirty(&m)) { any_dirty = true; break; } } NativeObjectRelocationType type = any_dirty ? NativeObjectRelocationType::kArtMethodDirty : NativeObjectRelocationType::kArtMethodClean; Bin bin_type = BinTypeForNativeRelocationType(type); // Forward the entire array at once, but header first. const size_t method_alignment = ArtMethod::Alignment(target_ptr_size_); const size_t method_size = ArtMethod::Size(target_ptr_size_); const size_t header_size = LengthPrefixedArray<ArtMethod>::ComputeSize(0, method_size, method_alignment); LengthPrefixedArray<ArtMethod>* array = as_klass->GetMethodsPtr(); auto it = native_object_relocations_.find(array); CHECK(it == native_object_relocations_.end()) << "Method array " << array << " already forwarded"; size_t offset = image_info.GetBinSlotSize(bin_type); DCHECK(!IsInBootImage(array)); native_object_relocations_.emplace(array, NativeObjectRelocation { oat_index, offset, any_dirty ? NativeObjectRelocationType::kArtMethodArrayDirty : NativeObjectRelocationType::kArtMethodArrayClean }); image_info.IncrementBinSlotSize(bin_type, header_size); for (auto& m : as_klass->GetMethods(target_ptr_size_)) { AssignMethodOffset(&m, type, oat_index); } (any_dirty ? dirty_methods_ : clean_methods_) += num_methods; } // Assign offsets for all runtime methods in the IMT since these may hold conflict tables // live. if (as_klass->ShouldHaveImt()) { ImTable* imt = as_klass->GetImt(target_ptr_size_); if (TryAssignImTableOffset(imt, oat_index)) { // Since imt's can be shared only do this the first time to not double count imt method // fixups. for (size_t i = 0; i < ImTable::kSize; ++i) { ArtMethod* imt_method = imt->Get(i, target_ptr_size_); DCHECK(imt_method != nullptr); if (imt_method->IsRuntimeMethod() && !IsInBootImage(imt_method) && !NativeRelocationAssigned(imt_method)) { AssignMethodOffset(imt_method, NativeObjectRelocationType::kRuntimeMethod, oat_index); } } } } } else if (obj->IsClassLoader()) { // Register the class loader if it has a class table. // The fake boot class loader should not get registered and we should end up with only one // class loader. mirror::ClassLoader* class_loader = obj->AsClassLoader(); if (class_loader->GetClassTable() != nullptr) { DCHECK(compile_app_image_); DCHECK(class_loaders_.empty()); class_loaders_.insert(class_loader); ImageInfo& image_info = GetImageInfo(oat_index); // Note: Avoid locking to prevent lock order violations from root visiting; // image_info.class_table_ table is only accessed from the image writer // and class_loader->GetClassTable() is iterated but not modified. image_info.class_table_->CopyWithoutLocks(*class_loader->GetClassTable()); } } AssignImageBinSlot(obj, oat_index); work_stack.emplace(obj, oat_index); } if (obj->IsString()) { // Always return the interned string if there exists one. mirror::String* interned = FindInternedString(obj->AsString()); if (interned != nullptr) { return interned; } } return obj; } bool ImageWriter::NativeRelocationAssigned(void* ptr) const { return native_object_relocations_.find(ptr) != native_object_relocations_.end(); } bool ImageWriter::TryAssignImTableOffset(ImTable* imt, size_t oat_index) { // No offset, or already assigned. if (imt == nullptr || IsInBootImage(imt) || NativeRelocationAssigned(imt)) { return false; } // If the method is a conflict method we also want to assign the conflict table offset. ImageInfo& image_info = GetImageInfo(oat_index); const size_t size = ImTable::SizeInBytes(target_ptr_size_); native_object_relocations_.emplace( imt, NativeObjectRelocation { oat_index, image_info.GetBinSlotSize(Bin::kImTable), NativeObjectRelocationType::kIMTable}); image_info.IncrementBinSlotSize(Bin::kImTable, size); return true; } void ImageWriter::TryAssignConflictTableOffset(ImtConflictTable* table, size_t oat_index) { // No offset, or already assigned. if (table == nullptr || NativeRelocationAssigned(table)) { return; } CHECK(!IsInBootImage(table)); // If the method is a conflict method we also want to assign the conflict table offset. ImageInfo& image_info = GetImageInfo(oat_index); const size_t size = table->ComputeSize(target_ptr_size_); native_object_relocations_.emplace( table, NativeObjectRelocation { oat_index, image_info.GetBinSlotSize(Bin::kIMTConflictTable), NativeObjectRelocationType::kIMTConflictTable}); image_info.IncrementBinSlotSize(Bin::kIMTConflictTable, size); } void ImageWriter::AssignMethodOffset(ArtMethod* method, NativeObjectRelocationType type, size_t oat_index) { DCHECK(!IsInBootImage(method)); CHECK(!NativeRelocationAssigned(method)) << "Method " << method << " already assigned " << ArtMethod::PrettyMethod(method); if (method->IsRuntimeMethod()) { TryAssignConflictTableOffset(method->GetImtConflictTable(target_ptr_size_), oat_index); } ImageInfo& image_info = GetImageInfo(oat_index); Bin bin_type = BinTypeForNativeRelocationType(type); size_t offset = image_info.GetBinSlotSize(bin_type); native_object_relocations_.emplace(method, NativeObjectRelocation { oat_index, offset, type }); image_info.IncrementBinSlotSize(bin_type, ArtMethod::Size(target_ptr_size_)); } void ImageWriter::UnbinObjectsIntoOffset(mirror::Object* obj) { DCHECK(!IsInBootImage(obj)); CHECK(obj != nullptr); // We know the bin slot, and the total bin sizes for all objects by now, // so calculate the object's final image offset. DCHECK(IsImageBinSlotAssigned(obj)); BinSlot bin_slot = GetImageBinSlot(obj); // Change the lockword from a bin slot into an offset AssignImageOffset(obj, bin_slot); } class ImageWriter::VisitReferencesVisitor { public: VisitReferencesVisitor(ImageWriter* image_writer, WorkStack* work_stack, size_t oat_index) : image_writer_(image_writer), work_stack_(work_stack), oat_index_(oat_index) {} // Fix up separately since we also need to fix up method entrypoints. ALWAYS_INLINE void VisitRootIfNonNull(mirror::CompressedReference<mirror::Object>* root) const REQUIRES_SHARED(Locks::mutator_lock_) { if (!root->IsNull()) { VisitRoot(root); } } ALWAYS_INLINE void VisitRoot(mirror::CompressedReference<mirror::Object>* root) const REQUIRES_SHARED(Locks::mutator_lock_) { root->Assign(VisitReference(root->AsMirrorPtr())); } ALWAYS_INLINE void operator() (ObjPtr<mirror::Object> obj, MemberOffset offset, bool is_static ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) { mirror::Object* ref = obj->GetFieldObject<mirror::Object, kVerifyNone, kWithoutReadBarrier>(offset); obj->SetFieldObject</*kTransactionActive*/false>(offset, VisitReference(ref)); } ALWAYS_INLINE void operator() (ObjPtr<mirror::Class> klass ATTRIBUTE_UNUSED, ObjPtr<mirror::Reference> ref) const REQUIRES_SHARED(Locks::mutator_lock_) { operator()(ref, mirror::Reference::ReferentOffset(), /* is_static */ false); } private: mirror::Object* VisitReference(mirror::Object* ref) const REQUIRES_SHARED(Locks::mutator_lock_) { return image_writer_->TryAssignBinSlot(*work_stack_, ref, oat_index_); } ImageWriter* const image_writer_; WorkStack* const work_stack_; const size_t oat_index_; }; class ImageWriter::GetRootsVisitor : public RootVisitor { public: explicit GetRootsVisitor(std::vector<mirror::Object*>* roots) : roots_(roots) {} void VisitRoots(mirror::Object*** roots, size_t count, const RootInfo& info ATTRIBUTE_UNUSED) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { for (size_t i = 0; i < count; ++i) { roots_->push_back(*roots[i]); } } void VisitRoots(mirror::CompressedReference<mirror::Object>** roots, size_t count, const RootInfo& info ATTRIBUTE_UNUSED) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { for (size_t i = 0; i < count; ++i) { roots_->push_back(roots[i]->AsMirrorPtr()); } } private: std::vector<mirror::Object*>* const roots_; }; void ImageWriter::ProcessWorkStack(WorkStack* work_stack) { while (!work_stack->empty()) { std::pair<mirror::Object*, size_t> pair(work_stack->top()); work_stack->pop(); VisitReferencesVisitor visitor(this, work_stack, /*oat_index*/ pair.second); // Walk references and assign bin slots for them. pair.first->VisitReferences</*kVisitNativeRoots*/true, kVerifyNone, kWithoutReadBarrier>( visitor, visitor); } } void ImageWriter::CalculateNewObjectOffsets() { Thread* const self = Thread::Current(); VariableSizedHandleScope handles(self); std::vector<Handle<ObjectArray<Object>>> image_roots; for (size_t i = 0, size = oat_filenames_.size(); i != size; ++i) { image_roots.push_back(handles.NewHandle(CreateImageRoots(i))); } Runtime* const runtime = Runtime::Current(); gc::Heap* const heap = runtime->GetHeap(); // Leave space for the header, but do not write it yet, we need to // know where image_roots is going to end up image_objects_offset_begin_ = RoundUp(sizeof(ImageHeader), kObjectAlignment); // 64-bit-alignment const size_t method_alignment = ArtMethod::Alignment(target_ptr_size_); // Write the image runtime methods. image_methods_[ImageHeader::kResolutionMethod] = runtime->GetResolutionMethod(); image_methods_[ImageHeader::kImtConflictMethod] = runtime->GetImtConflictMethod(); image_methods_[ImageHeader::kImtUnimplementedMethod] = runtime->GetImtUnimplementedMethod(); image_methods_[ImageHeader::kSaveAllCalleeSavesMethod] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveAllCalleeSaves); image_methods_[ImageHeader::kSaveRefsOnlyMethod] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveRefsOnly); image_methods_[ImageHeader::kSaveRefsAndArgsMethod] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveRefsAndArgs); image_methods_[ImageHeader::kSaveEverythingMethod] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveEverything); image_methods_[ImageHeader::kSaveEverythingMethodForClinit] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveEverythingForClinit); image_methods_[ImageHeader::kSaveEverythingMethodForSuspendCheck] = runtime->GetCalleeSaveMethod(CalleeSaveType::kSaveEverythingForSuspendCheck); // Visit image methods first to have the main runtime methods in the first image. for (auto* m : image_methods_) { CHECK(m != nullptr); CHECK(m->IsRuntimeMethod()); DCHECK_EQ(compile_app_image_, IsInBootImage(m)) << "Trampolines should be in boot image"; if (!IsInBootImage(m)) { AssignMethodOffset(m, NativeObjectRelocationType::kRuntimeMethod, GetDefaultOatIndex()); } } // Deflate monitors before we visit roots since deflating acquires the monitor lock. Acquiring // this lock while holding other locks may cause lock order violations. { auto deflate_monitor = [](mirror::Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { Monitor::Deflate(Thread::Current(), obj); }; heap->VisitObjects(deflate_monitor); } // Work list of <object, oat_index> for objects. Everything on the stack must already be // assigned a bin slot. WorkStack work_stack; // Special case interned strings to put them in the image they are likely to be resolved from. for (const DexFile* dex_file : compiler_driver_.GetDexFilesForOatFile()) { auto it = dex_file_oat_index_map_.find(dex_file); DCHECK(it != dex_file_oat_index_map_.end()) << dex_file->GetLocation(); const size_t oat_index = it->second; InternTable* const intern_table = runtime->GetInternTable(); for (size_t i = 0, count = dex_file->NumStringIds(); i < count; ++i) { uint32_t utf16_length; const char* utf8_data = dex_file->StringDataAndUtf16LengthByIdx(dex::StringIndex(i), &utf16_length); mirror::String* string = intern_table->LookupStrong(self, utf16_length, utf8_data).Ptr(); TryAssignBinSlot(work_stack, string, oat_index); } } // Get the GC roots and then visit them separately to avoid lock violations since the root visitor // visits roots while holding various locks. { std::vector<mirror::Object*> roots; GetRootsVisitor root_visitor(&roots); runtime->VisitRoots(&root_visitor); for (mirror::Object* obj : roots) { TryAssignBinSlot(work_stack, obj, GetDefaultOatIndex()); } } ProcessWorkStack(&work_stack); // For app images, there may be objects that are only held live by the by the boot image. One // example is finalizer references. Forward these objects so that EnsureBinSlotAssignedCallback // does not fail any checks. TODO: We should probably avoid copying these objects. if (compile_app_image_) { for (gc::space::ImageSpace* space : heap->GetBootImageSpaces()) { DCHECK(space->IsImageSpace()); gc::accounting::ContinuousSpaceBitmap* live_bitmap = space->GetLiveBitmap(); live_bitmap->VisitMarkedRange(reinterpret_cast<uintptr_t>(space->Begin()), reinterpret_cast<uintptr_t>(space->Limit()), [this, &work_stack](mirror::Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { VisitReferencesVisitor visitor(this, &work_stack, GetDefaultOatIndex()); // Visit all references and try to assign bin slots for them (calls TryAssignBinSlot). obj->VisitReferences</*kVisitNativeRoots*/true, kVerifyNone, kWithoutReadBarrier>( visitor, visitor); }); } // Process the work stack in case anything was added by TryAssignBinSlot. ProcessWorkStack(&work_stack); // Store the class loader in the class roots. CHECK_EQ(class_loaders_.size(), 1u); CHECK_EQ(image_roots.size(), 1u); CHECK(*class_loaders_.begin() != nullptr); image_roots[0]->Set<false>(ImageHeader::kClassLoader, *class_loaders_.begin()); } // Verify that all objects have assigned image bin slots. { auto ensure_bin_slots_assigned = [&](mirror::Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { if (!Runtime::Current()->GetHeap()->ObjectIsInBootImageSpace(obj)) { CHECK(IsImageBinSlotAssigned(obj)) << mirror::Object::PrettyTypeOf(obj) << " " << obj; } }; heap->VisitObjects(ensure_bin_slots_assigned); } // Calculate size of the dex cache arrays slot and prepare offsets. PrepareDexCacheArraySlots(); // Calculate the sizes of the intern tables, class tables, and fixup tables. for (ImageInfo& image_info : image_infos_) { // Calculate how big the intern table will be after being serialized. InternTable* const intern_table = image_info.intern_table_.get(); CHECK_EQ(intern_table->WeakSize(), 0u) << " should have strong interned all the strings"; if (intern_table->StrongSize() != 0u) { image_info.intern_table_bytes_ = intern_table->WriteToMemory(nullptr); } // Calculate the size of the class table. ReaderMutexLock mu(self, *Locks::classlinker_classes_lock_); DCHECK_EQ(image_info.class_table_->NumReferencedZygoteClasses(), 0u); if (image_info.class_table_->NumReferencedNonZygoteClasses() != 0u) { image_info.class_table_bytes_ += image_info.class_table_->WriteToMemory(nullptr); } } // Calculate bin slot offsets. for (ImageInfo& image_info : image_infos_) { size_t bin_offset = image_objects_offset_begin_; for (size_t i = 0; i != kNumberOfBins; ++i) { switch (static_cast<Bin>(i)) { case Bin::kArtMethodClean: case Bin::kArtMethodDirty: { bin_offset = RoundUp(bin_offset, method_alignment); break; } case Bin::kDexCacheArray: bin_offset = RoundUp(bin_offset, DexCacheArraysLayout::Alignment(target_ptr_size_)); break; case Bin::kImTable: case Bin::kIMTConflictTable: { bin_offset = RoundUp(bin_offset, static_cast<size_t>(target_ptr_size_)); break; } default: { // Normal alignment. } } image_info.bin_slot_offsets_[i] = bin_offset; bin_offset += image_info.bin_slot_sizes_[i]; } // NOTE: There may be additional padding between the bin slots and the intern table. DCHECK_EQ(image_info.image_end_, image_info.GetBinSizeSum(Bin::kMirrorCount) + image_objects_offset_begin_); } // Calculate image offsets. size_t image_offset = 0; for (ImageInfo& image_info : image_infos_) { image_info.image_begin_ = global_image_begin_ + image_offset; image_info.image_offset_ = image_offset; ImageSection unused_sections[ImageHeader::kSectionCount]; image_info.image_size_ = RoundUp(image_info.CreateImageSections(unused_sections, compile_app_image_), kPageSize); // There should be no gaps until the next image. image_offset += image_info.image_size_; } // Transform each object's bin slot into an offset which will be used to do the final copy. { auto unbin_objects_into_offset = [&](mirror::Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { if (!IsInBootImage(obj)) { UnbinObjectsIntoOffset(obj); } }; heap->VisitObjects(unbin_objects_into_offset); } size_t i = 0; for (ImageInfo& image_info : image_infos_) { image_info.image_roots_address_ = PointerToLowMemUInt32(GetImageAddress(image_roots[i].Get())); i++; } // Update the native relocations by adding their bin sums. for (auto& pair : native_object_relocations_) { NativeObjectRelocation& relocation = pair.second; Bin bin_type = BinTypeForNativeRelocationType(relocation.type); ImageInfo& image_info = GetImageInfo(relocation.oat_index); relocation.offset += image_info.GetBinSlotOffset(bin_type); } } size_t ImageWriter::ImageInfo::CreateImageSections(ImageSection* out_sections, bool app_image) const { DCHECK(out_sections != nullptr); // Do not round up any sections here that are represented by the bins since it will break // offsets. // Objects section ImageSection* objects_section = &out_sections[ImageHeader::kSectionObjects]; *objects_section = ImageSection(0u, image_end_); // Add field section. ImageSection* field_section = &out_sections[ImageHeader::kSectionArtFields]; *field_section = ImageSection(GetBinSlotOffset(Bin::kArtField), GetBinSlotSize(Bin::kArtField)); // Add method section. ImageSection* methods_section = &out_sections[ImageHeader::kSectionArtMethods]; *methods_section = ImageSection( GetBinSlotOffset(Bin::kArtMethodClean), GetBinSlotSize(Bin::kArtMethodClean) + GetBinSlotSize(Bin::kArtMethodDirty)); // IMT section. ImageSection* imt_section = &out_sections[ImageHeader::kSectionImTables]; *imt_section = ImageSection(GetBinSlotOffset(Bin::kImTable), GetBinSlotSize(Bin::kImTable)); // Conflict tables section. ImageSection* imt_conflict_tables_section = &out_sections[ImageHeader::kSectionIMTConflictTables]; *imt_conflict_tables_section = ImageSection(GetBinSlotOffset(Bin::kIMTConflictTable), GetBinSlotSize(Bin::kIMTConflictTable)); // Runtime methods section. ImageSection* runtime_methods_section = &out_sections[ImageHeader::kSectionRuntimeMethods]; *runtime_methods_section = ImageSection(GetBinSlotOffset(Bin::kRuntimeMethod), GetBinSlotSize(Bin::kRuntimeMethod)); // Add dex cache arrays section. ImageSection* dex_cache_arrays_section = &out_sections[ImageHeader::kSectionDexCacheArrays]; *dex_cache_arrays_section = ImageSection(GetBinSlotOffset(Bin::kDexCacheArray), GetBinSlotSize(Bin::kDexCacheArray)); // For boot image, round up to the page boundary to separate the interned strings and // class table from the modifiable data. We shall mprotect() these pages read-only when // we load the boot image. This is more than sufficient for the string table alignment, // namely sizeof(uint64_t). See HashSet::WriteToMemory. static_assert(IsAligned<sizeof(uint64_t)>(kPageSize), "String table alignment check."); size_t cur_pos = RoundUp(dex_cache_arrays_section->End(), app_image ? sizeof(uint64_t) : kPageSize); // Calculate the size of the interned strings. ImageSection* interned_strings_section = &out_sections[ImageHeader::kSectionInternedStrings]; *interned_strings_section = ImageSection(cur_pos, intern_table_bytes_); cur_pos = interned_strings_section->End(); // Round up to the alignment the class table expects. See HashSet::WriteToMemory. cur_pos = RoundUp(cur_pos, sizeof(uint64_t)); // Calculate the size of the class table section. ImageSection* class_table_section = &out_sections[ImageHeader::kSectionClassTable]; *class_table_section = ImageSection(cur_pos, class_table_bytes_); cur_pos = class_table_section->End(); // Image end goes right before the start of the image bitmap. return cur_pos; } void ImageWriter::CreateHeader(size_t oat_index) { ImageInfo& image_info = GetImageInfo(oat_index); const uint8_t* oat_file_begin = image_info.oat_file_begin_; const uint8_t* oat_file_end = oat_file_begin + image_info.oat_loaded_size_; const uint8_t* oat_data_end = image_info.oat_data_begin_ + image_info.oat_size_; // Create the image sections. ImageSection sections[ImageHeader::kSectionCount]; const size_t image_end = image_info.CreateImageSections(sections, compile_app_image_); // Finally bitmap section. const size_t bitmap_bytes = image_info.image_bitmap_->Size(); auto* bitmap_section = &sections[ImageHeader::kSectionImageBitmap]; *bitmap_section = ImageSection(RoundUp(image_end, kPageSize), RoundUp(bitmap_bytes, kPageSize)); if (VLOG_IS_ON(compiler)) { LOG(INFO) << "Creating header for " << oat_filenames_[oat_index]; size_t idx = 0; for (const ImageSection& section : sections) { LOG(INFO) << static_cast<ImageHeader::ImageSections>(idx) << " " << section; ++idx; } LOG(INFO) << "Methods: clean=" << clean_methods_ << " dirty=" << dirty_methods_; LOG(INFO) << "Image roots address=" << std::hex << image_info.image_roots_address_ << std::dec; LOG(INFO) << "Image begin=" << std::hex << reinterpret_cast<uintptr_t>(global_image_begin_) << " Image offset=" << image_info.image_offset_ << std::dec; LOG(INFO) << "Oat file begin=" << std::hex << reinterpret_cast<uintptr_t>(oat_file_begin) << " Oat data begin=" << reinterpret_cast<uintptr_t>(image_info.oat_data_begin_) << " Oat data end=" << reinterpret_cast<uintptr_t>(oat_data_end) << " Oat file end=" << reinterpret_cast<uintptr_t>(oat_file_end); } // Store boot image info for app image so that we can relocate. uint32_t boot_image_begin = 0; uint32_t boot_image_end = 0; uint32_t boot_oat_begin = 0; uint32_t boot_oat_end = 0; gc::Heap* const heap = Runtime::Current()->GetHeap(); heap->GetBootImagesSize(&boot_image_begin, &boot_image_end, &boot_oat_begin, &boot_oat_end); // Create the header, leave 0 for data size since we will fill this in as we are writing the // image. new (image_info.image_->Begin()) ImageHeader(PointerToLowMemUInt32(image_info.image_begin_), image_end, sections, image_info.image_roots_address_, image_info.oat_checksum_, PointerToLowMemUInt32(oat_file_begin), PointerToLowMemUInt32(image_info.oat_data_begin_), PointerToLowMemUInt32(oat_data_end), PointerToLowMemUInt32(oat_file_end), boot_image_begin, boot_image_end - boot_image_begin, boot_oat_begin, boot_oat_end - boot_oat_begin, static_cast<uint32_t>(target_ptr_size_), compile_pic_, /*is_pic*/compile_app_image_, image_storage_mode_, /*data_size*/0u); } ArtMethod* ImageWriter::GetImageMethodAddress(ArtMethod* method) { auto it = native_object_relocations_.find(method); CHECK(it != native_object_relocations_.end()) << ArtMethod::PrettyMethod(method) << " @ " << method; size_t oat_index = GetOatIndex(method->GetDexCache()); ImageInfo& image_info = GetImageInfo(oat_index); CHECK_GE(it->second.offset, image_info.image_end_) << "ArtMethods should be after Objects"; return reinterpret_cast<ArtMethod*>(image_info.image_begin_ + it->second.offset); } class ImageWriter::FixupRootVisitor : public RootVisitor { public: explicit FixupRootVisitor(ImageWriter* image_writer) : image_writer_(image_writer) { } void VisitRoots(mirror::Object*** roots ATTRIBUTE_UNUSED, size_t count ATTRIBUTE_UNUSED, const RootInfo& info ATTRIBUTE_UNUSED) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { LOG(FATAL) << "Unsupported"; } void VisitRoots(mirror::CompressedReference<mirror::Object>** roots, size_t count, const RootInfo& info ATTRIBUTE_UNUSED) OVERRIDE REQUIRES_SHARED(Locks::mutator_lock_) { for (size_t i = 0; i < count; ++i) { image_writer_->CopyReference(roots[i], roots[i]->AsMirrorPtr()); } } private: ImageWriter* const image_writer_; }; void ImageWriter::CopyAndFixupImTable(ImTable* orig, ImTable* copy) { for (size_t i = 0; i < ImTable::kSize; ++i) { ArtMethod* method = orig->Get(i, target_ptr_size_); void** address = reinterpret_cast<void**>(copy->AddressOfElement(i, target_ptr_size_)); CopyAndFixupPointer(address, method); DCHECK_EQ(copy->Get(i, target_ptr_size_), NativeLocationInImage(method)); } } void ImageWriter::CopyAndFixupImtConflictTable(ImtConflictTable* orig, ImtConflictTable* copy) { const size_t count = orig->NumEntries(target_ptr_size_); for (size_t i = 0; i < count; ++i) { ArtMethod* interface_method = orig->GetInterfaceMethod(i, target_ptr_size_); ArtMethod* implementation_method = orig->GetImplementationMethod(i, target_ptr_size_); CopyAndFixupPointer(copy->AddressOfInterfaceMethod(i, target_ptr_size_), interface_method); CopyAndFixupPointer(copy->AddressOfImplementationMethod(i, target_ptr_size_), implementation_method); DCHECK_EQ(copy->GetInterfaceMethod(i, target_ptr_size_), NativeLocationInImage(interface_method)); DCHECK_EQ(copy->GetImplementationMethod(i, target_ptr_size_), NativeLocationInImage(implementation_method)); } } void ImageWriter::CopyAndFixupNativeData(size_t oat_index) { const ImageInfo& image_info = GetImageInfo(oat_index); // Copy ArtFields and methods to their locations and update the array for convenience. for (auto& pair : native_object_relocations_) { NativeObjectRelocation& relocation = pair.second; // Only work with fields and methods that are in the current oat file. if (relocation.oat_index != oat_index) { continue; } auto* dest = image_info.image_->Begin() + relocation.offset; DCHECK_GE(dest, image_info.image_->Begin() + image_info.image_end_); DCHECK(!IsInBootImage(pair.first)); switch (relocation.type) { case NativeObjectRelocationType::kArtField: { memcpy(dest, pair.first, sizeof(ArtField)); CopyReference( reinterpret_cast<ArtField*>(dest)->GetDeclaringClassAddressWithoutBarrier(), reinterpret_cast<ArtField*>(pair.first)->GetDeclaringClass().Ptr()); break; } case NativeObjectRelocationType::kRuntimeMethod: case NativeObjectRelocationType::kArtMethodClean: case NativeObjectRelocationType::kArtMethodDirty: { CopyAndFixupMethod(reinterpret_cast<ArtMethod*>(pair.first), reinterpret_cast<ArtMethod*>(dest), image_info); break; } // For arrays, copy just the header since the elements will get copied by their corresponding // relocations. case NativeObjectRelocationType::kArtFieldArray: { memcpy(dest, pair.first, LengthPrefixedArray<ArtField>::ComputeSize(0)); break; } case NativeObjectRelocationType::kArtMethodArrayClean: case NativeObjectRelocationType::kArtMethodArrayDirty: { size_t size = ArtMethod::Size(target_ptr_size_); size_t alignment = ArtMethod::Alignment(target_ptr_size_); memcpy(dest, pair.first, LengthPrefixedArray<ArtMethod>::ComputeSize(0, size, alignment)); // Clear padding to avoid non-deterministic data in the image (and placate valgrind). reinterpret_cast<LengthPrefixedArray<ArtMethod>*>(dest)->ClearPadding(size, alignment); break; } case NativeObjectRelocationType::kDexCacheArray: // Nothing to copy here, everything is done in FixupDexCache(). break; case NativeObjectRelocationType::kIMTable: { ImTable* orig_imt = reinterpret_cast<ImTable*>(pair.first); ImTable* dest_imt = reinterpret_cast<ImTable*>(dest); CopyAndFixupImTable(orig_imt, dest_imt); break; } case NativeObjectRelocationType::kIMTConflictTable: { auto* orig_table = reinterpret_cast<ImtConflictTable*>(pair.first); CopyAndFixupImtConflictTable( orig_table, new(dest)ImtConflictTable(orig_table->NumEntries(target_ptr_size_), target_ptr_size_)); break; } } } // Fixup the image method roots. auto* image_header = reinterpret_cast<ImageHeader*>(image_info.image_->Begin()); for (size_t i = 0; i < ImageHeader::kImageMethodsCount; ++i) { ArtMethod* method = image_methods_[i]; CHECK(method != nullptr); if (!IsInBootImage(method)) { method = NativeLocationInImage(method); } image_header->SetImageMethod(static_cast<ImageHeader::ImageMethod>(i), method); } FixupRootVisitor root_visitor(this); // Write the intern table into the image. if (image_info.intern_table_bytes_ > 0) { const ImageSection& intern_table_section = image_header->GetInternedStringsSection(); InternTable* const intern_table = image_info.intern_table_.get(); uint8_t* const intern_table_memory_ptr = image_info.image_->Begin() + intern_table_section.Offset(); const size_t intern_table_bytes = intern_table->WriteToMemory(intern_table_memory_ptr); CHECK_EQ(intern_table_bytes, image_info.intern_table_bytes_); // Fixup the pointers in the newly written intern table to contain image addresses. InternTable temp_intern_table; // Note that we require that ReadFromMemory does not make an internal copy of the elements so that // the VisitRoots() will update the memory directly rather than the copies. // This also relies on visit roots not doing any verification which could fail after we update // the roots to be the image addresses. temp_intern_table.AddTableFromMemory(intern_table_memory_ptr); CHECK_EQ(temp_intern_table.Size(), intern_table->Size()); temp_intern_table.VisitRoots(&root_visitor, kVisitRootFlagAllRoots); } // Write the class table(s) into the image. class_table_bytes_ may be 0 if there are multiple // class loaders. Writing multiple class tables into the image is currently unsupported. if (image_info.class_table_bytes_ > 0u) { const ImageSection& class_table_section = image_header->GetClassTableSection(); uint8_t* const class_table_memory_ptr = image_info.image_->Begin() + class_table_section.Offset(); ReaderMutexLock mu(Thread::Current(), *Locks::classlinker_classes_lock_); ClassTable* table = image_info.class_table_.get(); CHECK(table != nullptr); const size_t class_table_bytes = table->WriteToMemory(class_table_memory_ptr); CHECK_EQ(class_table_bytes, image_info.class_table_bytes_); // Fixup the pointers in the newly written class table to contain image addresses. See // above comment for intern tables. ClassTable temp_class_table; temp_class_table.ReadFromMemory(class_table_memory_ptr); CHECK_EQ(temp_class_table.NumReferencedZygoteClasses(), table->NumReferencedNonZygoteClasses() + table->NumReferencedZygoteClasses()); UnbufferedRootVisitor visitor(&root_visitor, RootInfo(kRootUnknown)); temp_class_table.VisitRoots(visitor); } } void ImageWriter::CopyAndFixupObjects() { auto visitor = [&](Object* obj) REQUIRES_SHARED(Locks::mutator_lock_) { DCHECK(obj != nullptr); CopyAndFixupObject(obj); }; Runtime::Current()->GetHeap()->VisitObjects(visitor); // Fix up the object previously had hash codes. for (const auto& hash_pair : saved_hashcode_map_) { Object* obj = hash_pair.first; DCHECK_EQ(obj->GetLockWord<kVerifyNone>(false).ReadBarrierState(), 0U); obj->SetLockWord<kVerifyNone>(LockWord::FromHashCode(hash_pair.second, 0U), false); } saved_hashcode_map_.clear(); } void ImageWriter::FixupPointerArray(mirror::Object* dst, mirror::PointerArray* arr, mirror::Class* klass, Bin array_type) { CHECK(klass->IsArrayClass()); CHECK(arr->IsIntArray() || arr->IsLongArray()) << klass->PrettyClass() << " " << arr; // Fixup int and long pointers for the ArtMethod or ArtField arrays. const size_t num_elements = arr->GetLength(); dst->SetClass(GetImageAddress(arr->GetClass())); auto* dest_array = down_cast<mirror::PointerArray*>(dst); for (size_t i = 0, count = num_elements; i < count; ++i) { void* elem = arr->GetElementPtrSize<void*>(i, target_ptr_size_); if (kIsDebugBuild && elem != nullptr && !IsInBootImage(elem)) { auto it = native_object_relocations_.find(elem); if (UNLIKELY(it == native_object_relocations_.end())) { if (it->second.IsArtMethodRelocation()) { auto* method = reinterpret_cast<ArtMethod*>(elem); LOG(FATAL) << "No relocation entry for ArtMethod " << method->PrettyMethod() << " @ " << method << " idx=" << i << "/" << num_elements << " with declaring class " << Class::PrettyClass(method->GetDeclaringClass()); } else { CHECK_EQ(array_type, Bin::kArtField); auto* field = reinterpret_cast<ArtField*>(elem); LOG(FATAL) << "No relocation entry for ArtField " << field->PrettyField() << " @ " << field << " idx=" << i << "/" << num_elements << " with declaring class " << Class::PrettyClass(field->GetDeclaringClass()); } UNREACHABLE(); } } CopyAndFixupPointer(dest_array->ElementAddress(i, target_ptr_size_), elem); } } void ImageWriter::CopyAndFixupObject(Object* obj) { if (IsInBootImage(obj)) { return; } size_t offset = GetImageOffset(obj); size_t oat_index = GetOatIndex(obj); ImageInfo& image_info = GetImageInfo(oat_index); auto* dst = reinterpret_cast<Object*>(image_info.image_->Begin() + offset); DCHECK_LT(offset, image_info.image_end_); const auto* src = reinterpret_cast<const uint8_t*>(obj); image_info.image_bitmap_->Set(dst); // Mark the obj as live. const size_t n = obj->SizeOf(); DCHECK_LE(offset + n, image_info.image_->Size()); memcpy(dst, src, n); // Write in a hash code of objects which have inflated monitors or a hash code in their monitor // word. const auto it = saved_hashcode_map_.find(obj); dst->SetLockWord(it != saved_hashcode_map_.end() ? LockWord::FromHashCode(it->second, 0u) : LockWord::Default(), false); if (kUseBakerReadBarrier && gc::collector::ConcurrentCopying::kGrayDirtyImmuneObjects) { // Treat all of the objects in the image as marked to avoid unnecessary dirty pages. This is // safe since we mark all of the objects that may reference non immune objects as gray. CHECK(dst->AtomicSetMarkBit(0, 1)); } FixupObject(obj, dst); } // Rewrite all the references in the copied object to point to their image address equivalent class ImageWriter::FixupVisitor { public: FixupVisitor(ImageWriter* image_writer, Object* copy) : image_writer_(image_writer), copy_(copy) { } // Ignore class roots since we don't have a way to map them to the destination. These are handled // with other logic. void VisitRootIfNonNull(mirror::CompressedReference<mirror::Object>* root ATTRIBUTE_UNUSED) const {} void VisitRoot(mirror::CompressedReference<mirror::Object>* root ATTRIBUTE_UNUSED) const {} void operator()(ObjPtr<Object> obj, MemberOffset offset, bool is_static ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) REQUIRES(Locks::heap_bitmap_lock_) { ObjPtr<Object> ref = obj->GetFieldObject<Object, kVerifyNone>(offset); // Copy the reference and record the fixup if necessary. image_writer_->CopyReference( copy_->GetFieldObjectReferenceAddr<kVerifyNone>(offset), ref.Ptr()); } // java.lang.ref.Reference visitor. void operator()(ObjPtr<mirror::Class> klass ATTRIBUTE_UNUSED, ObjPtr<mirror::Reference> ref) const REQUIRES_SHARED(Locks::mutator_lock_) REQUIRES(Locks::heap_bitmap_lock_) { operator()(ref, mirror::Reference::ReferentOffset(), /* is_static */ false); } protected: ImageWriter* const image_writer_; mirror::Object* const copy_; }; class ImageWriter::FixupClassVisitor FINAL : public FixupVisitor { public: FixupClassVisitor(ImageWriter* image_writer, Object* copy) : FixupVisitor(image_writer, copy) { } void operator()(ObjPtr<Object> obj, MemberOffset offset, bool is_static ATTRIBUTE_UNUSED) const REQUIRES(Locks::mutator_lock_, Locks::heap_bitmap_lock_) { DCHECK(obj->IsClass()); FixupVisitor::operator()(obj, offset, /*is_static*/false); } void operator()(ObjPtr<mirror::Class> klass ATTRIBUTE_UNUSED, ObjPtr<mirror::Reference> ref ATTRIBUTE_UNUSED) const REQUIRES_SHARED(Locks::mutator_lock_) REQUIRES(Locks::heap_bitmap_lock_) { LOG(FATAL) << "Reference not expected here."; } }; uintptr_t ImageWriter::NativeOffsetInImage(void* obj) { DCHECK(obj != nullptr); DCHECK(!IsInBootImage(obj)); auto it = native_object_relocations_.find(obj); CHECK(it != native_object_relocations_.end()) << obj << " spaces " << Runtime::Current()->GetHeap()->DumpSpaces(); const NativeObjectRelocation& relocation = it->second; return relocation.offset; } template <typename T> std::string PrettyPrint(T* ptr) REQUIRES_SHARED(Locks::mutator_lock_) { std::ostringstream oss; oss << ptr; return oss.str(); } template <> std::string PrettyPrint(ArtMethod* method) REQUIRES_SHARED(Locks::mutator_lock_) { return ArtMethod::PrettyMethod(method); } template <typename T> T* ImageWriter::NativeLocationInImage(T* obj) { if (obj == nullptr || IsInBootImage(obj)) { return obj; } else { auto it = native_object_relocations_.find(obj); CHECK(it != native_object_relocations_.end()) << obj << " " << PrettyPrint(obj) << " spaces " << Runtime::Current()->GetHeap()->DumpSpaces(); const NativeObjectRelocation& relocation = it->second; ImageInfo& image_info = GetImageInfo(relocation.oat_index); return reinterpret_cast<T*>(image_info.image_begin_ + relocation.offset); } } template <typename T> T* ImageWriter::NativeCopyLocation(T* obj, mirror::DexCache* dex_cache) { if (obj == nullptr || IsInBootImage(obj)) { return obj; } else { size_t oat_index = GetOatIndexForDexCache(dex_cache); ImageInfo& image_info = GetImageInfo(oat_index); return reinterpret_cast<T*>(image_info.image_->Begin() + NativeOffsetInImage(obj)); } } class ImageWriter::NativeLocationVisitor { public: explicit NativeLocationVisitor(ImageWriter* image_writer) : image_writer_(image_writer) {} template <typename T> T* operator()(T* ptr, void** dest_addr = nullptr) const REQUIRES_SHARED(Locks::mutator_lock_) { if (dest_addr != nullptr) { image_writer_->CopyAndFixupPointer(dest_addr, ptr); } return image_writer_->NativeLocationInImage(ptr); } private: ImageWriter* const image_writer_; }; void ImageWriter::FixupClass(mirror::Class* orig, mirror::Class* copy) { orig->FixupNativePointers(copy, target_ptr_size_, NativeLocationVisitor(this)); FixupClassVisitor visitor(this, copy); ObjPtr<mirror::Object>(orig)->VisitReferences(visitor, visitor); if (kBitstringSubtypeCheckEnabled && compile_app_image_) { // When we call SubtypeCheck::EnsureInitialize, it Assigns new bitstring // values to the parent of that class. // // Every time this happens, the parent class has to mutate to increment // the "Next" value. // // If any of these parents are in the boot image, the changes [in the parents] // would be lost when the app image is reloaded. // // To prevent newly loaded classes (not in the app image) from being reassigned // the same bitstring value as an existing app image class, uninitialize // all the classes in the app image. // // On startup, the class linker will then re-initialize all the app // image bitstrings. See also ClassLinker::AddImageSpace. MutexLock subtype_check_lock(Thread::Current(), *Locks::subtype_check_lock_); // Lock every time to prevent a dcheck failure when we suspend with the lock held. SubtypeCheck<mirror::Class*>::ForceUninitialize(copy); } // Remove the clinitThreadId. This is required for image determinism. copy->SetClinitThreadId(static_cast<pid_t>(0)); } void ImageWriter::FixupObject(Object* orig, Object* copy) { DCHECK(orig != nullptr); DCHECK(copy != nullptr); if (kUseBakerReadBarrier) { orig->AssertReadBarrierState(); } auto* klass = orig->GetClass(); if (klass->IsIntArrayClass() || klass->IsLongArrayClass()) { // Is this a native pointer array? auto it = pointer_arrays_.find(down_cast<mirror::PointerArray*>(orig)); if (it != pointer_arrays_.end()) { // Should only need to fixup every pointer array exactly once. FixupPointerArray(copy, down_cast<mirror::PointerArray*>(orig), klass, it->second); pointer_arrays_.erase(it); return; } } if (orig->IsClass()) { FixupClass(orig->AsClass<kVerifyNone>(), down_cast<mirror::Class*>(copy)); } else { if (klass == mirror::Method::StaticClass() || klass == mirror::Constructor::StaticClass()) { // Need to go update the ArtMethod. auto* dest = down_cast<mirror::Executable*>(copy); auto* src = down_cast<mirror::Executable*>(orig); ArtMethod* src_method = src->GetArtMethod(); dest->SetArtMethod(GetImageMethodAddress(src_method)); } else if (!klass->IsArrayClass()) { ClassLinker* class_linker = Runtime::Current()->GetClassLinker(); if (klass == class_linker->GetClassRoot(ClassLinker::kJavaLangDexCache)) { FixupDexCache(down_cast<mirror::DexCache*>(orig), down_cast<mirror::DexCache*>(copy)); } else if (klass->IsClassLoaderClass()) { mirror::ClassLoader* copy_loader = down_cast<mirror::ClassLoader*>(copy); // If src is a ClassLoader, set the class table to null so that it gets recreated by the // ClassLoader. copy_loader->SetClassTable(nullptr); // Also set allocator to null to be safe. The allocator is created when we create the class // table. We also never expect to unload things in the image since they are held live as // roots. copy_loader->SetAllocator(nullptr); } } FixupVisitor visitor(this, copy); orig->VisitReferences(visitor, visitor); } } class ImageWriter::ImageAddressVisitorForDexCacheArray { public: explicit ImageAddressVisitorForDexCacheArray(ImageWriter* image_writer) : image_writer_(image_writer) {} template <typename T> T* operator()(T* ptr) const REQUIRES_SHARED(Locks::mutator_lock_) { return image_writer_->GetImageAddress(ptr); } private: ImageWriter* const image_writer_; }; void ImageWriter::FixupDexCache(mirror::DexCache* orig_dex_cache, mirror::DexCache* copy_dex_cache) { ImageAddressVisitorForDexCacheArray fixup_visitor(this); // Though the DexCache array fields are usually treated as native pointers, we set the full // 64-bit values here, clearing the top 32 bits for 32-bit targets. The zero-extension is // done by casting to the unsigned type uintptr_t before casting to int64_t, i.e. // static_cast<int64_t>(reinterpret_cast<uintptr_t>(image_begin_ + offset))). mirror::StringDexCacheType* orig_strings = orig_dex_cache->GetStrings(); if (orig_strings != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::StringsOffset(), NativeLocationInImage(orig_strings), PointerSize::k64); orig_dex_cache->FixupStrings(NativeCopyLocation(orig_strings, orig_dex_cache), fixup_visitor); } mirror::TypeDexCacheType* orig_types = orig_dex_cache->GetResolvedTypes(); if (orig_types != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::ResolvedTypesOffset(), NativeLocationInImage(orig_types), PointerSize::k64); orig_dex_cache->FixupResolvedTypes(NativeCopyLocation(orig_types, orig_dex_cache), fixup_visitor); } mirror::MethodDexCacheType* orig_methods = orig_dex_cache->GetResolvedMethods(); if (orig_methods != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::ResolvedMethodsOffset(), NativeLocationInImage(orig_methods), PointerSize::k64); mirror::MethodDexCacheType* copy_methods = NativeCopyLocation(orig_methods, orig_dex_cache); for (size_t i = 0, num = orig_dex_cache->NumResolvedMethods(); i != num; ++i) { mirror::MethodDexCachePair orig_pair = mirror::DexCache::GetNativePairPtrSize(orig_methods, i, target_ptr_size_); // NativeLocationInImage also handles runtime methods since these have relocation info. mirror::MethodDexCachePair copy_pair(NativeLocationInImage(orig_pair.object), orig_pair.index); mirror::DexCache::SetNativePairPtrSize(copy_methods, i, copy_pair, target_ptr_size_); } } mirror::FieldDexCacheType* orig_fields = orig_dex_cache->GetResolvedFields(); if (orig_fields != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::ResolvedFieldsOffset(), NativeLocationInImage(orig_fields), PointerSize::k64); mirror::FieldDexCacheType* copy_fields = NativeCopyLocation(orig_fields, orig_dex_cache); for (size_t i = 0, num = orig_dex_cache->NumResolvedFields(); i != num; ++i) { mirror::FieldDexCachePair orig = mirror::DexCache::GetNativePairPtrSize(orig_fields, i, target_ptr_size_); mirror::FieldDexCachePair copy = orig; copy.object = NativeLocationInImage(orig.object); mirror::DexCache::SetNativePairPtrSize(copy_fields, i, copy, target_ptr_size_); } } mirror::MethodTypeDexCacheType* orig_method_types = orig_dex_cache->GetResolvedMethodTypes(); if (orig_method_types != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::ResolvedMethodTypesOffset(), NativeLocationInImage(orig_method_types), PointerSize::k64); orig_dex_cache->FixupResolvedMethodTypes(NativeCopyLocation(orig_method_types, orig_dex_cache), fixup_visitor); } GcRoot<mirror::CallSite>* orig_call_sites = orig_dex_cache->GetResolvedCallSites(); if (orig_call_sites != nullptr) { copy_dex_cache->SetFieldPtrWithSize<false>(mirror::DexCache::ResolvedCallSitesOffset(), NativeLocationInImage(orig_call_sites), PointerSize::k64); orig_dex_cache->FixupResolvedCallSites(NativeCopyLocation(orig_call_sites, orig_dex_cache), fixup_visitor); } // Remove the DexFile pointers. They will be fixed up when the runtime loads the oat file. Leaving // compiler pointers in here will make the output non-deterministic. copy_dex_cache->SetDexFile(nullptr); } const uint8_t* ImageWriter::GetOatAddress(StubType type) const { DCHECK_LE(type, StubType::kLast); // If we are compiling an app image, we need to use the stubs of the boot image. if (compile_app_image_) { // Use the current image pointers. const std::vector<gc::space::ImageSpace*>& image_spaces = Runtime::Current()->GetHeap()->GetBootImageSpaces(); DCHECK(!image_spaces.empty()); const OatFile* oat_file = image_spaces[0]->GetOatFile(); CHECK(oat_file != nullptr); const OatHeader& header = oat_file->GetOatHeader(); switch (type) { // TODO: We could maybe clean this up if we stored them in an array in the oat header. case StubType::kQuickGenericJNITrampoline: return static_cast<const uint8_t*>(header.GetQuickGenericJniTrampoline()); case StubType::kInterpreterToInterpreterBridge: return static_cast<const uint8_t*>(header.GetInterpreterToInterpreterBridge()); case StubType::kInterpreterToCompiledCodeBridge: return static_cast<const uint8_t*>(header.GetInterpreterToCompiledCodeBridge()); case StubType::kJNIDlsymLookup: return static_cast<const uint8_t*>(header.GetJniDlsymLookup()); case StubType::kQuickIMTConflictTrampoline: return static_cast<const uint8_t*>(header.GetQuickImtConflictTrampoline()); case StubType::kQuickResolutionTrampoline: return static_cast<const uint8_t*>(header.GetQuickResolutionTrampoline()); case StubType::kQuickToInterpreterBridge: return static_cast<const uint8_t*>(header.GetQuickToInterpreterBridge()); default: UNREACHABLE(); } } const ImageInfo& primary_image_info = GetImageInfo(0); return GetOatAddressForOffset(primary_image_info.GetStubOffset(type), primary_image_info); } const uint8_t* ImageWriter::GetQuickCode(ArtMethod* method, const ImageInfo& image_info, bool* quick_is_interpreted) { DCHECK(!method->IsResolutionMethod()) << method->PrettyMethod(); DCHECK_NE(method, Runtime::Current()->GetImtConflictMethod()) << method->PrettyMethod(); DCHECK(!method->IsImtUnimplementedMethod()) << method->PrettyMethod(); DCHECK(method->IsInvokable()) << method->PrettyMethod(); DCHECK(!IsInBootImage(method)) << method->PrettyMethod(); // Use original code if it exists. Otherwise, set the code pointer to the resolution // trampoline. // Quick entrypoint: const void* quick_oat_entry_point = method->GetEntryPointFromQuickCompiledCodePtrSize(target_ptr_size_); const uint8_t* quick_code; if (UNLIKELY(IsInBootImage(method->GetDeclaringClass()))) { DCHECK(method->IsCopied()); // If the code is not in the oat file corresponding to this image (e.g. default methods) quick_code = reinterpret_cast<const uint8_t*>(quick_oat_entry_point); } else { uint32_t quick_oat_code_offset = PointerToLowMemUInt32(quick_oat_entry_point); quick_code = GetOatAddressForOffset(quick_oat_code_offset, image_info); } *quick_is_interpreted = false; if (quick_code != nullptr && (!method->IsStatic() || method->IsConstructor() || method->GetDeclaringClass()->IsInitialized())) { // We have code for a non-static or initialized method, just use the code. } else if (quick_code == nullptr && method->IsNative() && (!method->IsStatic() || method->GetDeclaringClass()->IsInitialized())) { // Non-static or initialized native method missing compiled code, use generic JNI version. quick_code = GetOatAddress(StubType::kQuickGenericJNITrampoline); } else if (quick_code == nullptr && !method->IsNative()) { // We don't have code at all for a non-native method, use the interpreter. quick_code = GetOatAddress(StubType::kQuickToInterpreterBridge); *quick_is_interpreted = true; } else { CHECK(!method->GetDeclaringClass()->IsInitialized()); // We have code for a static method, but need to go through the resolution stub for class // initialization. quick_code = GetOatAddress(StubType::kQuickResolutionTrampoline); } if (!IsInBootOatFile(quick_code)) { // DCHECK_GE(quick_code, oat_data_begin_); } return quick_code; } void ImageWriter::CopyAndFixupMethod(ArtMethod* orig, ArtMethod* copy, const ImageInfo& image_info) { if (orig->IsAbstract()) { // Ignore the single-implementation info for abstract method. // Do this on orig instead of copy, otherwise there is a crash due to methods // are copied before classes. // TODO: handle fixup of single-implementation method for abstract method. orig->SetHasSingleImplementation(false); orig->SetSingleImplementation( nullptr, Runtime::Current()->GetClassLinker()->GetImagePointerSize()); } memcpy(copy, orig, ArtMethod::Size(target_ptr_size_)); CopyReference(copy->GetDeclaringClassAddressWithoutBarrier(), orig->GetDeclaringClassUnchecked()); // OatWriter replaces the code_ with an offset value. Here we re-adjust to a pointer relative to // oat_begin_ // The resolution method has a special trampoline to call. Runtime* runtime = Runtime::Current(); if (orig->IsRuntimeMethod()) { ImtConflictTable* orig_table = orig->GetImtConflictTable(target_ptr_size_); if (orig_table != nullptr) { // Special IMT conflict method, normal IMT conflict method or unimplemented IMT method. copy->SetEntryPointFromQuickCompiledCodePtrSize( GetOatAddress(StubType::kQuickIMTConflictTrampoline), target_ptr_size_); copy->SetImtConflictTable(NativeLocationInImage(orig_table), target_ptr_size_); } else if (UNLIKELY(orig == runtime->GetResolutionMethod())) { copy->SetEntryPointFromQuickCompiledCodePtrSize( GetOatAddress(StubType::kQuickResolutionTrampoline), target_ptr_size_); } else { bool found_one = false; for (size_t i = 0; i < static_cast<size_t>(CalleeSaveType::kLastCalleeSaveType); ++i) { auto idx = static_cast<CalleeSaveType>(i); if (runtime->HasCalleeSaveMethod(idx) && runtime->GetCalleeSaveMethod(idx) == orig) { found_one = true; break; } } CHECK(found_one) << "Expected to find callee save method but got " << orig->PrettyMethod(); CHECK(copy->IsRuntimeMethod()); } } else { // We assume all methods have code. If they don't currently then we set them to the use the // resolution trampoline. Abstract methods never have code and so we need to make sure their // use results in an AbstractMethodError. We use the interpreter to achieve this. if (UNLIKELY(!orig->IsInvokable())) { copy->SetEntryPointFromQuickCompiledCodePtrSize( GetOatAddress(StubType::kQuickToInterpreterBridge), target_ptr_size_); } else { bool quick_is_interpreted; const uint8_t* quick_code = GetQuickCode(orig, image_info, &quick_is_interpreted); copy->SetEntryPointFromQuickCompiledCodePtrSize(quick_code, target_ptr_size_); // JNI entrypoint: if (orig->IsNative()) { // The native method's pointer is set to a stub to lookup via dlsym. // Note this is not the code_ pointer, that is handled above. copy->SetEntryPointFromJniPtrSize( GetOatAddress(StubType::kJNIDlsymLookup), target_ptr_size_); } } } } size_t ImageWriter::ImageInfo::GetBinSizeSum(Bin up_to) const { DCHECK_LE(static_cast<size_t>(up_to), kNumberOfBins); return std::accumulate(&bin_slot_sizes_[0], &bin_slot_sizes_[0] + static_cast<size_t>(up_to), /*init*/ static_cast<size_t>(0)); } ImageWriter::BinSlot::BinSlot(uint32_t lockword) : lockword_(lockword) { // These values may need to get updated if more bins are added to the enum Bin static_assert(kBinBits == 3, "wrong number of bin bits"); static_assert(kBinShift == 27, "wrong number of shift"); static_assert(sizeof(BinSlot) == sizeof(LockWord), "BinSlot/LockWord must have equal sizes"); DCHECK_LT(GetBin(), Bin::kMirrorCount); DCHECK_ALIGNED(GetIndex(), kObjectAlignment); } ImageWriter::BinSlot::BinSlot(Bin bin, uint32_t index) : BinSlot(index | (static_cast<uint32_t>(bin) << kBinShift)) { DCHECK_EQ(index, GetIndex()); } ImageWriter::Bin ImageWriter::BinSlot::GetBin() const { return static_cast<Bin>((lockword_ & kBinMask) >> kBinShift); } uint32_t ImageWriter::BinSlot::GetIndex() const { return lockword_ & ~kBinMask; } ImageWriter::Bin ImageWriter::BinTypeForNativeRelocationType(NativeObjectRelocationType type) { switch (type) { case NativeObjectRelocationType::kArtField: case NativeObjectRelocationType::kArtFieldArray: return Bin::kArtField; case NativeObjectRelocationType::kArtMethodClean: case NativeObjectRelocationType::kArtMethodArrayClean: return Bin::kArtMethodClean; case NativeObjectRelocationType::kArtMethodDirty: case NativeObjectRelocationType::kArtMethodArrayDirty: return Bin::kArtMethodDirty; case NativeObjectRelocationType::kDexCacheArray: return Bin::kDexCacheArray; case NativeObjectRelocationType::kRuntimeMethod: return Bin::kRuntimeMethod; case NativeObjectRelocationType::kIMTable: return Bin::kImTable; case NativeObjectRelocationType::kIMTConflictTable: return Bin::kIMTConflictTable; } UNREACHABLE(); } size_t ImageWriter::GetOatIndex(mirror::Object* obj) const { if (!IsMultiImage()) { return GetDefaultOatIndex(); } auto it = oat_index_map_.find(obj); DCHECK(it != oat_index_map_.end()) << obj; return it->second; } size_t ImageWriter::GetOatIndexForDexFile(const DexFile* dex_file) const { if (!IsMultiImage()) { return GetDefaultOatIndex(); } auto it = dex_file_oat_index_map_.find(dex_file); DCHECK(it != dex_file_oat_index_map_.end()) << dex_file->GetLocation(); return it->second; } size_t ImageWriter::GetOatIndexForDexCache(ObjPtr<mirror::DexCache> dex_cache) const { return (dex_cache == nullptr) ? GetDefaultOatIndex() : GetOatIndexForDexFile(dex_cache->GetDexFile()); } void ImageWriter::UpdateOatFileLayout(size_t oat_index, size_t oat_loaded_size, size_t oat_data_offset, size_t oat_data_size) { const uint8_t* images_end = image_infos_.back().image_begin_ + image_infos_.back().image_size_; for (const ImageInfo& info : image_infos_) { DCHECK_LE(info.image_begin_ + info.image_size_, images_end); } DCHECK(images_end != nullptr); // Image space must be ready. ImageInfo& cur_image_info = GetImageInfo(oat_index); cur_image_info.oat_file_begin_ = images_end + cur_image_info.oat_offset_; cur_image_info.oat_loaded_size_ = oat_loaded_size; cur_image_info.oat_data_begin_ = cur_image_info.oat_file_begin_ + oat_data_offset; cur_image_info.oat_size_ = oat_data_size; if (compile_app_image_) { CHECK_EQ(oat_filenames_.size(), 1u) << "App image should have no next image."; return; } // Update the oat_offset of the next image info. if (oat_index + 1u != oat_filenames_.size()) { // There is a following one. ImageInfo& next_image_info = GetImageInfo(oat_index + 1u); next_image_info.oat_offset_ = cur_image_info.oat_offset_ + oat_loaded_size; } } void ImageWriter::UpdateOatFileHeader(size_t oat_index, const OatHeader& oat_header) { ImageInfo& cur_image_info = GetImageInfo(oat_index); cur_image_info.oat_checksum_ = oat_header.GetChecksum(); if (oat_index == GetDefaultOatIndex()) { // Primary oat file, read the trampolines. cur_image_info.SetStubOffset(StubType::kInterpreterToInterpreterBridge, oat_header.GetInterpreterToInterpreterBridgeOffset()); cur_image_info.SetStubOffset(StubType::kInterpreterToCompiledCodeBridge, oat_header.GetInterpreterToCompiledCodeBridgeOffset()); cur_image_info.SetStubOffset(StubType::kJNIDlsymLookup, oat_header.GetJniDlsymLookupOffset()); cur_image_info.SetStubOffset(StubType::kQuickGenericJNITrampoline, oat_header.GetQuickGenericJniTrampolineOffset()); cur_image_info.SetStubOffset(StubType::kQuickIMTConflictTrampoline, oat_header.GetQuickImtConflictTrampolineOffset()); cur_image_info.SetStubOffset(StubType::kQuickResolutionTrampoline, oat_header.GetQuickResolutionTrampolineOffset()); cur_image_info.SetStubOffset(StubType::kQuickToInterpreterBridge, oat_header.GetQuickToInterpreterBridgeOffset()); } } ImageWriter::ImageWriter( const CompilerDriver& compiler_driver, uintptr_t image_begin, bool compile_pic, bool compile_app_image, ImageHeader::StorageMode image_storage_mode, const std::vector<const char*>& oat_filenames, const std::unordered_map<const DexFile*, size_t>& dex_file_oat_index_map, const std::unordered_set<std::string>* dirty_image_objects) : compiler_driver_(compiler_driver), global_image_begin_(reinterpret_cast<uint8_t*>(image_begin)), image_objects_offset_begin_(0), compile_pic_(compile_pic), compile_app_image_(compile_app_image), target_ptr_size_(InstructionSetPointerSize(compiler_driver_.GetInstructionSet())), image_infos_(oat_filenames.size()), dirty_methods_(0u), clean_methods_(0u), image_storage_mode_(image_storage_mode), oat_filenames_(oat_filenames), dex_file_oat_index_map_(dex_file_oat_index_map), dirty_image_objects_(dirty_image_objects) { CHECK_NE(image_begin, 0U); std::fill_n(image_methods_, arraysize(image_methods_), nullptr); CHECK_EQ(compile_app_image, !Runtime::Current()->GetHeap()->GetBootImageSpaces().empty()) << "Compiling a boot image should occur iff there are no boot image spaces loaded"; } ImageWriter::ImageInfo::ImageInfo() : intern_table_(new InternTable), class_table_(new ClassTable) {} void ImageWriter::CopyReference(mirror::HeapReference<mirror::Object>* dest, ObjPtr<mirror::Object> src) { dest->Assign(GetImageAddress(src.Ptr())); } void ImageWriter::CopyReference(mirror::CompressedReference<mirror::Object>* dest, ObjPtr<mirror::Object> src) { dest->Assign(GetImageAddress(src.Ptr())); } void ImageWriter::CopyAndFixupPointer(void** target, void* value) { void* new_value = value; if (value != nullptr && !IsInBootImage(value)) { auto it = native_object_relocations_.find(value); CHECK(it != native_object_relocations_.end()) << value; const NativeObjectRelocation& relocation = it->second; ImageInfo& image_info = GetImageInfo(relocation.oat_index); new_value = reinterpret_cast<void*>(image_info.image_begin_ + relocation.offset); } if (target_ptr_size_ == PointerSize::k32) { *reinterpret_cast<uint32_t*>(target) = PointerToLowMemUInt32(new_value); } else { *reinterpret_cast<uint64_t*>(target) = reinterpret_cast<uintptr_t>(new_value); } } } // namespace linker } // namespace art
[ "gyoonus@gmail.com" ]
gyoonus@gmail.com
df0c66da91838fec0d3bbaa7b2ea85a0aabfae1f
882f6daeaadbf5ce1e74ed0d480418336a9e7b8e
/include/PairSelector.hpp
e8c781c6c8265b44b471bcb03ea6934c92fb08cd
[]
no_license
dakeryas/CosmogenicAnalyser
8ffa2bee851dcaebe11d90644d343d6c145208fc
c3e016b9f50b55a489b94e3431e9ac19bd473adc
refs/heads/master
2020-05-21T12:23:13.801195
2017-01-26T13:24:47
2017-01-26T13:24:47
54,777,028
0
0
null
null
null
null
UTF-8
C++
false
false
3,627
hpp
#ifndef COSMOGENIC_ANALYSER_PAIR_SELECTOR_H #define COSMOGENIC_ANALYSER_PAIR_SELECTOR_H #include "Cosmogenic/CandidatePair.hpp" #include "Cosmogenic/Veto.hpp" namespace CosmogenicAnalyser{ template <class T>//to accept entries saved with the accuracy of type T class PairSelector{ CosmogenicHunter::Bounds<T> promptEnergyBounds; std::vector<std::unique_ptr<CosmogenicHunter::Veto<T>>> vetoes; public: PairSelector(CosmogenicHunter::Bounds<T> promptEnergyBounds); PairSelector(CosmogenicHunter::Bounds<T> promptEnergyBounds, std::vector<std::unique_ptr<CosmogenicHunter::Veto<T>>> vetoes); PairSelector(const PairSelector<T>& other); PairSelector(PairSelector&& other) = default; PairSelector<T>& operator = (PairSelector<T> other); PairSelector<T>& operator = (PairSelector<T>&& other) = default; const std::vector<std::unique_ptr<CosmogenicHunter::Veto<T>>>& getVetoes() const; template <class VetoType, class... Args> void emplaceVeto(Args&&... args); void removeVeto(const std::string& vetoName); void removeVetoes(); bool tag(const CosmogenicHunter::CandidatePair<T>& candidatePair) const; }; template <class T> PairSelector<T>::PairSelector(CosmogenicHunter::Bounds<T> promptEnergyBounds) :promptEnergyBounds(std::move(promptEnergyBounds)){ } template <class T> PairSelector<T>::PairSelector(CosmogenicHunter::Bounds<T> promptEnergyBounds, std::vector<std::unique_ptr<CosmogenicHunter::Veto<T>>> vetoes) :promptEnergyBounds(std::move(promptEnergyBounds)),vetoes(std::move(vetoes)){ } template <class T> PairSelector<T>::PairSelector(const PairSelector<T>& other){ promptEnergyBounds = other.promptEnergyBounds; for(const auto& vetoPtr : other.vetoes) vetoes.emplace_back(vetoPtr->clone()); } template <class T> PairSelector<T>& PairSelector<T>::operator = (PairSelector<T> other){ std::swap(promptEnergyBounds, other.promptEnergyBounds); std::swap(vetoes , other.vetoes); return *this; } template <class T> const std::vector<std::unique_ptr<CosmogenicHunter::Veto<T>>>& PairSelector<T>::getVetoes() const{ return vetoes; } template <class T> template <class VetoType, class... Args> void PairSelector<T>::emplaceVeto(Args&&... args){ vetoes.emplace_back(std::make_unique<VetoType>(std::forward<Args>(args)...)); } template <class T> void PairSelector<T>::removeVeto(const std::string& vetoName){ vetoes.erase(std::remove_if(vetoes.begin(), vetoes.end(),[&](const auto& veto){return veto.getName() == vetoName;}), vetoes.end()); } template <class T> void PairSelector<T>::removeVetoes(){ vetoes.clear(); } template <class T> bool PairSelector<T>::tag(const CosmogenicHunter::CandidatePair<T>& candidatePair) const{ if(candidatePair.getPrompt().hasVisibleEnergyWithin(promptEnergyBounds)){ for(const auto& vetoPtr : vetoes) if(vetoPtr->veto(candidatePair)) return false;//one veto is enough to discard the event return true;//means that it was not vetoed by any veto } else return false; } template <class T> std::ostream& operator<<(std::ostream& output, const PairSelector<T>& pairSelector){ if(!pairSelector.getVetoes().empty()){ for(auto it = pairSelector.getVetoes().begin(); it != pairSelector.getVetoes().end() - 1; ++it) output<<**it<<"\n"<<std::string(36, '=')<<"\n"; output<<(**(pairSelector.getVetoes().end() - 1)); } return output;; } } #endif
[ "mrdakeryas@gmail.com" ]
mrdakeryas@gmail.com
9de65c3e1ea13b854cc8247cd961a63c88972c18
7a64b5813b647b32528dda00741b682b700f2cc3
/BuildWin/FoamInTheWaves_BackUpThisFolder_ButDontShipItWithYourGame/il2cppOutput/mscorlib3.cpp
0f490f5d73bec687de18f59fe319308f1543f7ac
[]
no_license
AaronSong321/FoamsInTheWaves
8f2709584022ab5941dc1fedd9f8d73bb75f8c84
a93be4337b0fab43d749be4ebf3d79a436f15db1
refs/heads/master
2023-04-22T05:00:45.468573
2021-04-23T01:28:53
2021-04-23T01:28:53
338,957,899
0
0
null
null
null
null
UTF-8
C++
false
false
1,894,872
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> #include <stdint.h> #include "codegen/il2cpp-codegen.h" #include "icalls/mscorlib/System/ConsoleDriver.h" #include "icalls/mscorlib/System/CurrentSystemTimeZone.h" #include "icalls/mscorlib/System/DateTime.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); } }; template <typename R, typename T1> struct VirtFuncInvoker1 { typedef R (*Func)(void*, T1, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1, typename T2> struct VirtActionInvoker2 { typedef void (*Action)(void*, T1, T2, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1, T2 p2) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); ((Action)invokeData.methodPtr)(obj, p1, p2, invokeData.method); } }; struct VirtActionInvoker0 { typedef void (*Action)(void*, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeObject* obj) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); ((Action)invokeData.methodPtr)(obj, invokeData.method); } }; template <typename T1> struct VirtActionInvoker1 { typedef void (*Action)(void*, T1, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); ((Action)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename R, typename T1, typename T2, typename T3> struct VirtFuncInvoker3 { typedef R (*Func)(void*, T1, T2, T3, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1, T2 p2, T3 p3) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); return ((Func)invokeData.methodPtr)(obj, p1, p2, p3, invokeData.method); } }; struct GenericVirtActionInvoker0 { typedef void (*Action)(void*, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_virtual_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, invokeData.method); } }; template <typename R, typename T1> struct GenericVirtFuncInvoker1 { typedef R (*Func)(void*, T1, const RuntimeMethod*); static inline R Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_virtual_invoke_data(method, obj, &invokeData); return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1> struct GenericVirtActionInvoker1 { typedef void (*Action)(void*, T1, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_virtual_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1, typename T2> struct GenericVirtActionInvoker2 { typedef void (*Action)(void*, T1, T2, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1, T2 p2) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_virtual_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, p1, p2, invokeData.method); } }; template <typename R, typename T1> struct InterfaceFuncInvoker1 { typedef R (*Func)(void*, T1, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename R> struct InterfaceFuncInvoker0 { typedef R (*Func)(void*, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); return ((Func)invokeData.methodPtr)(obj, invokeData.method); } }; struct InterfaceActionInvoker0 { typedef void (*Action)(void*, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); ((Action)invokeData.methodPtr)(obj, invokeData.method); } }; template <typename T1> struct InterfaceActionInvoker1 { typedef void (*Action)(void*, T1, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); ((Action)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1, typename T2> struct InterfaceActionInvoker2 { typedef void (*Action)(void*, T1, T2, const RuntimeMethod*); static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1, T2 p2) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); ((Action)invokeData.methodPtr)(obj, p1, p2, invokeData.method); } }; template <typename R, typename T1, typename T2> struct InterfaceFuncInvoker2 { typedef R (*Func)(void*, T1, T2, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1, T2 p2) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); return ((Func)invokeData.methodPtr)(obj, p1, p2, invokeData.method); } }; struct GenericInterfaceActionInvoker0 { typedef void (*Action)(void*, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_interface_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, invokeData.method); } }; template <typename R, typename T1> struct GenericInterfaceFuncInvoker1 { typedef R (*Func)(void*, T1, const RuntimeMethod*); static inline R Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_interface_invoke_data(method, obj, &invokeData); return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1> struct GenericInterfaceActionInvoker1 { typedef void (*Action)(void*, T1, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_interface_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename T1, typename T2> struct GenericInterfaceActionInvoker2 { typedef void (*Action)(void*, T1, T2, const RuntimeMethod*); static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj, T1 p1, T2 p2) { VirtualInvokeData invokeData; il2cpp_codegen_get_generic_interface_invoke_data(method, obj, &invokeData); ((Action)invokeData.methodPtr)(obj, p1, p2, invokeData.method); } }; // Microsoft.Win32.RegistryKey struct RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574; // Microsoft.Win32.SafeHandles.SafeFileHandle struct SafeFileHandle_tE1B31BE63CD11BBF2B9B6A205A72735F32EB1BCB; // Mono.Globalization.Unicode.SimpleCollator struct SimpleCollator_tC3A1720B7D3D850D5C23BE8E366D821EBA923D89; // System.Action`1<System.Object> struct Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0; // System.ArgumentException struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1; // System.ArgumentNullException struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD; // System.ArgumentOutOfRangeException struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA; // System.AsyncCallback struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4; // System.Attribute struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74; // System.Boolean[] struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040; // System.ByteMatcher struct ByteMatcher_tB199BDD35E2575B84D9FDED34954705653D241DC; // System.Byte[] struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; // System.Char[] struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2; // System.Collections.ArrayList struct ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4; // System.Collections.Comparer struct Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B; // System.Collections.Generic.Dictionary`2<System.Int32,System.Globalization.CultureInfo> struct Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B; // System.Collections.Generic.Dictionary`2<System.String,Mono.Globalization.Unicode.SimpleCollator> struct Dictionary_2_t61B96E9258C1E296057BCD8C4D2015846D2BB8F3; // System.Collections.Generic.Dictionary`2<System.String,System.Globalization.CultureInfo> struct Dictionary_2_tBA5388DBB42BF620266F9A48E8B859BBBB224E25; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> struct Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB; // System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.TimeType>> struct List_1_tD2FC74CFEE011F74F31183756A690154468817E9; // System.Collections.Hashtable struct Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9; // System.Collections.Hashtable/HashtableEnumerator struct HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9; // System.Collections.Hashtable/KeyCollection struct KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2; // System.Collections.Hashtable/SyncHashtable struct SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3; // System.Collections.Hashtable/ValueCollection struct ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6; // System.Collections.Hashtable/bucket[] struct bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A; // System.Collections.ICollection struct ICollection_tA3BAB2482E28132A7CA9E0E21393027353C28B54; // System.Collections.IComparer struct IComparer_t6A5E1BC727C7FF28888E407A797CE1ED92DA8E95; // System.Collections.IDictionary struct IDictionary_t1BD5C1546718A374EA8122FBD6C6EE45331E8CE7; // System.Collections.IDictionaryEnumerator struct IDictionaryEnumerator_t456EB67407D2045A257B66A3A25A825E883FD027; // System.Collections.IEnumerator struct IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A; // System.Collections.IEqualityComparer struct IEqualityComparer_t3102D0F5BABD60224F6DFF4815BCA1045831FB7C; // System.Collections.IList struct IList_tA637AB426E16F84F84ACC2813BDCF3A0414AF0AA; // System.Collections.ListDictionaryInternal struct ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC; // System.Collections.ListDictionaryInternal/DictionaryNode struct DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C; // System.Collections.ListDictionaryInternal/NodeEnumerator struct NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7; // System.Collections.ListDictionaryInternal/NodeKeyValueCollection struct NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A; // System.Collections.ListDictionaryInternal/NodeKeyValueCollection/NodeKeyValueEnumerator struct NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2; // System.Collections.LowLevelComparer struct LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1; // System.Collections.ObjectModel.ReadOnlyCollection`1<System.TimeZoneInfo> struct ReadOnlyCollection_1_tD63B9891087CF571DD4322388BDDBAEEB7606FE0; // System.Collections.Queue struct Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3; // System.Collections.Queue/QueueEnumerator struct QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA; // System.Collections.ReadOnlyCollectionBase struct ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772; // System.Collections.SortedList struct SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E; // System.Collections.SortedList/KeyList struct KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388; // System.Collections.SortedList/SortedListEnumerator struct SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E; // System.Collections.SortedList/SyncSortedList struct SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78; // System.Collections.SortedList/ValueList struct ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE; // System.Collections.Stack struct Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643; // System.Collections.Stack/StackEnumerator struct StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA; // System.Console/InternalCancelHandler struct InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A; // System.Console/WindowsConsole/WindowsCancelHandler struct WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51; // System.ConsoleCancelEventArgs struct ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760; // System.ConsoleCancelEventHandler struct ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4; // System.ContextBoundObject struct ContextBoundObject_tB24722752964E8FCEB9E1E4F6707FA88DFA0DFF0; // System.ContextStaticAttribute struct ContextStaticAttribute_tDE78CF42C2CA6949E7E99D3E63D35003A0660AA6; // System.CultureAwareComparer struct CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058; // System.CurrentSystemTimeZone struct CurrentSystemTimeZone_t7689B8BF1C4A474BD3CFA5B8E89FA84A53D44171; // System.DBNull struct DBNull_t7400E04939C2C29699B389B106997892BF53A8E5; // System.Delegate struct Delegate_t; // System.DelegateData struct DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE; // System.Delegate[] struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86; // System.Diagnostics.StackTrace[] struct StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196; // System.EventArgs struct EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E; // System.FormatException struct FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC; // System.Func`2<System.Object,System.Int32> struct Func_2_t8B2DA3FB30280CE3D92F50E9CCAACEE4828789A6; // System.Func`2<System.Object,System.String> struct Func_2_t44B347E67E515867D995E8BD5EFD67FA88CE53CF; // System.Globalization.Calendar struct Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5; // System.Globalization.CodePageDataItem struct CodePageDataItem_t6E34BEE9CCCBB35C88D714664633AF6E5F5671FB; // System.Globalization.CompareInfo struct CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1; // System.Globalization.CultureData struct CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD; // System.Globalization.CultureInfo struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F; // System.Globalization.DateTimeFormatInfo struct DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F; // System.Globalization.NumberFormatInfo struct NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8; // System.Globalization.SortVersion struct SortVersion_tE7080CE09A0B8CE226F8046C0D1374DD0A0CAE71; // System.Globalization.TextInfo struct TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8; // System.Globalization.TokenHashValue[] struct TokenHashValueU5BU5D_t5C8B41D89122FC1D3ED53C946C2656DA03CE899A; // System.IAsyncResult struct IAsyncResult_t8E194308510B375B42432981AE5E7488C458D598; // System.IConsoleDriver struct IConsoleDriver_t484163236D7810E338FC3D246EDF2DCAC42C0E37; // System.IConvertible struct IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380; // System.IFormatProvider struct IFormatProvider_t4247E13AE2D97A079B88D594B7ABABF313259901; // System.IO.CStreamReader struct CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D; // System.IO.CStreamWriter struct CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450; // System.IO.FileStream struct FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418; // System.IO.Stream struct Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7; // System.IO.Stream/ReadWriteTask struct ReadWriteTask_tFA17EEE8BC5C4C83EAEFCC3662A30DE351ABAA80; // System.IO.StreamReader struct StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E; // System.IO.TextReader struct TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A; // System.IO.TextWriter struct TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0; // System.IO.UnexceptionalStreamReader struct UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA; // System.IO.UnexceptionalStreamWriter struct UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB; // System.Int32 struct Int32_t585191389E07734F19F3156FF88FB3EF4800D102; // System.Int32[] struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; // System.Int64[] struct Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F; // System.IntPtr[] struct IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD; // System.InvalidCastException struct InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA; // System.InvalidOperationException struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1; // System.MarshalByRefObject struct MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF; // System.MonoTypeInfo struct MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D; // System.NotSupportedException struct NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010; // System.NullConsoleDriver struct NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D; // System.Object[] struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A; // System.OutOfMemoryException struct OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7; // System.OverflowException struct OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D; // System.Reflection.Assembly/ResolveEventHolder struct ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E; // System.Reflection.Binder struct Binder_t4D5CB06963501D32847C057B57157D6DC49CA759; // System.Reflection.MemberFilter struct MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381; // System.Reflection.MethodInfo struct MethodInfo_t; // System.Reflection.RuntimeAssembly struct RuntimeAssembly_t5EE9CD749D82345AE5635B9665665C31A3308EB1; // System.Reflection.RuntimeConstructorInfo struct RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D; // System.Runtime.Serialization.IFormatterConverter struct IFormatterConverter_tC3280D64D358F47EA4DAF1A65609BA0FC081888A; // System.Runtime.Serialization.SafeSerializationManager struct SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770; // System.Runtime.Serialization.SerializationException struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26; // System.Runtime.Serialization.SerializationInfoEnumerator struct SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5; // System.RuntimeType struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F; // System.RuntimeType[] struct RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE; // System.String struct String_t; // System.StringComparer struct StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE; // System.String[] struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E; // System.TermInfoDriver struct TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653; // System.TermInfoReader struct TermInfoReader_tCAABF3484E6F0AA298F809766C52CA9DC4E6C55C; // System.Text.Decoder struct Decoder_tEEF45EB6F965222036C49E8EC6BA8A0692AA1F26; // System.Text.DecoderFallback struct DecoderFallback_t128445EB7676870485230893338EF044F6B72F60; // System.Text.Encoder struct Encoder_t29B2697B0B775EABC52EBFB914F327BE9B1A3464; // System.Text.EncoderFallback struct EncoderFallback_tDE342346D01608628F1BCEBB652D31009852CF63; // System.Text.Encoding struct Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4; // System.Text.StringBuilder struct StringBuilder_t; // System.Threading.SemaphoreSlim struct SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048; // System.Threading.Tasks.Task struct Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2; // System.TimeZone struct TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454; // System.TimeZoneInfo struct TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777; // System.TimeZoneInfo/AdjustmentRule[] struct AdjustmentRuleU5BU5D_t1106C3E56412DC2C8D9B745150D35E342A85D8AD; // System.Type struct Type_t; // System.Type[] struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F; // System.UInt32[] struct UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB; // System.Void struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017; // System.WindowsConsoleDriver struct WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42; IL2CPP_EXTERN_C RuntimeClass* ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Boolean_tB53F6830F670160873277339AA58F15CAED4399C_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* EncodingHelper_t1A078DCE9CF2B3578DA8CAFE03FB9FFABD00EBB3_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* GC_tC1D7BD74E8F44ECCEF5CD2B5D84BFF9AAE02D01D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* GregorianCalendar_tC611DFF7946345F7AF856B31987FEECB98DEE005_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* HebrewNumber_tD97296A15B8A299C729AF74ECE07226395D0655E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ICollection_tA3BAB2482E28132A7CA9E0E21393027353C28B54_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IComparable_tF58875555EC83AB78FA9E958C48803C6AF9FB5D9_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IConsoleDriver_t484163236D7810E338FC3D246EDF2DCAC42C0E37_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IEnumerable_tD74549CEA1AA48E768382B94FEACBB07E2E3FA2C_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IFormattable_t58E0883927AD7B9E881837942BD4FA2E7D8330C0_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* IOException_t60E052020EDE4D3075F57A1DCC224FF8864354BA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Il2CppComObject_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* RuntimeObject_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* StringBuilder_t_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* String_t_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Type_t_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeField* U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24_FieldInfo_var; IL2CPP_EXTERN_C RuntimeField* U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____A1319B706116AB2C6D44483F60A7D0ACEA543396_91_FieldInfo_var; IL2CPP_EXTERN_C RuntimeField* U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____DD3AEFEADB1CD615F3017763F1568179FEE640B0_125_FieldInfo_var; IL2CPP_EXTERN_C RuntimeField* U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____E92B39D8233061927D9ACDE54665E68E7535635A_129_FieldInfo_var; IL2CPP_EXTERN_C String_t* _stringLiteral01A3CEF9C82C7345C59662510E0B421C6A6BDCFD; IL2CPP_EXTERN_C String_t* _stringLiteral021710FA7866431C1DACAA6CD31EEEB47DCE64B6; IL2CPP_EXTERN_C String_t* _stringLiteral044F779DD78DC457C66C3F03FB54E04EE4013F70; IL2CPP_EXTERN_C String_t* _stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A; IL2CPP_EXTERN_C String_t* _stringLiteral07BC1266D48DC029301AB121DA798327931365C6; IL2CPP_EXTERN_C String_t* _stringLiteral0B5A448C29B008BE58461324EB08382F6A1DA419; IL2CPP_EXTERN_C String_t* _stringLiteral0BD33FDF3EDF96B20C8F243E32B177CA52FB1519; IL2CPP_EXTERN_C String_t* _stringLiteral0EEEC4869A9E258F65B3250DEAFDD0D174088EE5; IL2CPP_EXTERN_C String_t* _stringLiteral0EF25AE00F40C8471EE44B720036ABCC25E96CEE; IL2CPP_EXTERN_C String_t* _stringLiteral0F9BA953E35135A3F8EC268817CC92F2557202A9; IL2CPP_EXTERN_C String_t* _stringLiteral180FCBE698D0F2C44101A06215C472930BBD0A01; IL2CPP_EXTERN_C String_t* _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25; IL2CPP_EXTERN_C String_t* _stringLiteral1F81AFFE48C2C2B337815693830EBEE586D9A96C; IL2CPP_EXTERN_C String_t* _stringLiteral20129DCACE911064DD71D775424F848ED70E9328; IL2CPP_EXTERN_C String_t* _stringLiteral223DE1BFCB7230443EA0B00CBFE02D9443CF6BB1; IL2CPP_EXTERN_C String_t* _stringLiteral250E34D0324F6809D28A6BCC386CC09FE5DB991C; IL2CPP_EXTERN_C String_t* _stringLiteral26EC8D00FB6B55466B3A115F1D559422A7FA7AAC; IL2CPP_EXTERN_C String_t* _stringLiteral2AE9006AA79BCA491D17932D2580DBE509CC1BD7; IL2CPP_EXTERN_C String_t* _stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A; IL2CPP_EXTERN_C String_t* _stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6; IL2CPP_EXTERN_C String_t* _stringLiteral2E7074DA7ECD9C7BACE7E75734DE6D1D00895DFE; IL2CPP_EXTERN_C String_t* _stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D; IL2CPP_EXTERN_C String_t* _stringLiteral38B62BE4BDDAA5661C7D6B8E36E28159314DF5C7; IL2CPP_EXTERN_C String_t* _stringLiteral38C1D791DA28CCACA40DF5E093EAB4D67B08C70D; IL2CPP_EXTERN_C String_t* _stringLiteral39DFA55283318D31AFE5A3FF4A0E3253E2045E43; IL2CPP_EXTERN_C String_t* _stringLiteral3D54973F528B01019A58A52D34D518405A01B891; IL2CPP_EXTERN_C String_t* _stringLiteral40408F06D64C0A4EE51AF41707D5D544083B012D; IL2CPP_EXTERN_C String_t* _stringLiteral421771305044654A8E7CA3285DDD3E840861E121; IL2CPP_EXTERN_C String_t* _stringLiteral42CAA54DEC95448BFC9996931A9ABF8CD93DF00F; IL2CPP_EXTERN_C String_t* _stringLiteral463C9ACFFA099CA60B83F74DD23B2E4DE31E298B; IL2CPP_EXTERN_C String_t* _stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC; IL2CPP_EXTERN_C String_t* _stringLiteral4C1D07E01A0519A0E0137F59DC9E59E58374714F; IL2CPP_EXTERN_C String_t* _stringLiteral4C28A7D98B2E79E88DB5793B92CAC2973807E234; IL2CPP_EXTERN_C String_t* _stringLiteral4E079D0555E5A2B460969C789D3AD968A795921F; IL2CPP_EXTERN_C String_t* _stringLiteral4FA1555162B320F87E718E7D03508690DA6245A7; IL2CPP_EXTERN_C String_t* _stringLiteral4FF0B1538469338A0073E2CDAAB6A517801B6AB4; IL2CPP_EXTERN_C String_t* _stringLiteral50C9E8D5FC98727B4BBC93CF5D64A68DB647F04F; IL2CPP_EXTERN_C String_t* _stringLiteral53A610E925BBC0A175E365D31241AE75AEEAD651; IL2CPP_EXTERN_C String_t* _stringLiteral53CE4A69C239125FEAFB3AAB705BEF29027E8CC9; IL2CPP_EXTERN_C String_t* _stringLiteral55D1BE151653A5C241220EC0C5204A685F6D0FBA; IL2CPP_EXTERN_C String_t* _stringLiteral5734F14C44F430B146A89DA661A0503197EAD36E; IL2CPP_EXTERN_C String_t* _stringLiteral58590A8E3AC0A0EE865C1F1181F860909805C3C3; IL2CPP_EXTERN_C String_t* _stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889; IL2CPP_EXTERN_C String_t* _stringLiteral5D4EEE7520E3C4D7B6DAAA0FAF98E5446EEC12EF; IL2CPP_EXTERN_C String_t* _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A; IL2CPP_EXTERN_C String_t* _stringLiteral60C475AA86353C499DE2FA8877E87D44031CE593; IL2CPP_EXTERN_C String_t* _stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4; IL2CPP_EXTERN_C String_t* _stringLiteral672E8F4CE93C075F32B4FD6C0D0EDAC1BDDB9469; IL2CPP_EXTERN_C String_t* _stringLiteral67331A4D5CCF99C31B3206D2659A4D2BCED0278A; IL2CPP_EXTERN_C String_t* _stringLiteral6934105AD50010B814C933314B1DA6841431BC8B; IL2CPP_EXTERN_C String_t* _stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13; IL2CPP_EXTERN_C String_t* _stringLiteral69A99906F5A06EA1BDBFC02E6132D35DE781D3F1; IL2CPP_EXTERN_C String_t* _stringLiteral69C6FA8468D332A8338354A74CE92AA8DA8A642A; IL2CPP_EXTERN_C String_t* _stringLiteral6AA37D3F95B049989169366DE359545DDC19DDC5; IL2CPP_EXTERN_C String_t* _stringLiteral6ACC4FDD7CAC404C251B9E96BD6436776D0A9EB6; IL2CPP_EXTERN_C String_t* _stringLiteral6C5D741642268E1DBC189EC8C48B5474FAFA45E1; IL2CPP_EXTERN_C String_t* _stringLiteral6CD6471277F304FD7D1ADCD50886324343DBE87F; IL2CPP_EXTERN_C String_t* _stringLiteral700336D6AF60425DC8D362092DE4C0FFB8576432; IL2CPP_EXTERN_C String_t* _stringLiteral70B4BB2684C3F8969E2FE9E14B470906FD4CF3C6; IL2CPP_EXTERN_C String_t* _stringLiteral7779E9DF0BDDB39AD9871F3D3FAF9F9C59A62C5B; IL2CPP_EXTERN_C String_t* _stringLiteral7803EE252527503B67D1EEB0DEB252622746CEBD; IL2CPP_EXTERN_C String_t* _stringLiteral7982E8C08D84551A97DDE8C3CC98E03FC2D6082C; IL2CPP_EXTERN_C String_t* _stringLiteral7CB1F56D3FBE09E809244FC8E13671CD876E3860; IL2CPP_EXTERN_C String_t* _stringLiteral7DA9F73A36ABE2E58D56D121E5A7E2C3CF329C27; IL2CPP_EXTERN_C String_t* _stringLiteral81581597044514BF54D4F97266022FC991F3915E; IL2CPP_EXTERN_C String_t* _stringLiteral82237410ED07589538EA563BE12E6D18D81CA295; IL2CPP_EXTERN_C String_t* _stringLiteral858B28677610CF07E111998CCE040F14F5256455; IL2CPP_EXTERN_C String_t* _stringLiteral867AD8C2544ED5D38EC2B4986A28AA22B284F710; IL2CPP_EXTERN_C String_t* _stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500; IL2CPP_EXTERN_C String_t* _stringLiteral8944FFAD1E8C07AABD7BA714D715171EAAD5687C; IL2CPP_EXTERN_C String_t* _stringLiteral8982655AE29E9D3137AA597B404ACE4E0F6B958F; IL2CPP_EXTERN_C String_t* _stringLiteral8AEFB06C426E07A0A671A1E2488B4858D694A730; IL2CPP_EXTERN_C String_t* _stringLiteral8D475FBD52CC44C4B3646CB6D42B92B682940C75; IL2CPP_EXTERN_C String_t* _stringLiteral8E235C85706AEC625982AEEA41C686B14E89F326; IL2CPP_EXTERN_C String_t* _stringLiteral8E9009906A91712DF614B16A2923E550F2D8608C; IL2CPP_EXTERN_C String_t* _stringLiteral8EFD86FB78A56A5145ED7739DCB00C78581C5375; IL2CPP_EXTERN_C String_t* _stringLiteral8F7ECF552BF6FB86CD369CCC08EDC822619395BA; IL2CPP_EXTERN_C String_t* _stringLiteral8F94F72A6FCAE8B2F94FEDE0B6429F19FE405F01; IL2CPP_EXTERN_C String_t* _stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA; IL2CPP_EXTERN_C String_t* _stringLiteral909F99A779ADB66A76FC53AB56C7DD1CAF35D0FD; IL2CPP_EXTERN_C String_t* _stringLiteral9214C9F24885BBE3A6652B2B74E1F31D7DD4ADF2; IL2CPP_EXTERN_C String_t* _stringLiteral9382FBC8C783D9478A4582ED7204F747B4C1F6D1; IL2CPP_EXTERN_C String_t* _stringLiteral952604412082661142BB4448D6792E048E0317FC; IL2CPP_EXTERN_C String_t* _stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04; IL2CPP_EXTERN_C String_t* _stringLiteral98CFE5E917B6BC87FA117F28F39F6E8B09499151; IL2CPP_EXTERN_C String_t* _stringLiteral9B30C1BF65712BDA061818365704D06F3871C202; IL2CPP_EXTERN_C String_t* _stringLiteral9B5C0B859FABA061DD60FD8070FCE74FCEE29D0B; IL2CPP_EXTERN_C String_t* _stringLiteralA0F1490A20D0211C997B44BC357E1972DEAB8AE3; IL2CPP_EXTERN_C String_t* _stringLiteralA36A6718F54524D846894FB04B5B885B4E43E63B; IL2CPP_EXTERN_C String_t* _stringLiteralA581992EF2214628320EFA402E984AF6E5EA8654; IL2CPP_EXTERN_C String_t* _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE; IL2CPP_EXTERN_C String_t* _stringLiteralA980EEDA49322EB9BE88B6480B2BE63B70186B1E; IL2CPP_EXTERN_C String_t* _stringLiteralA9DAE8F82311A6B1BDB2C7A441A5F6DB2A759D08; IL2CPP_EXTERN_C String_t* _stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D; IL2CPP_EXTERN_C String_t* _stringLiteralB12EF91185B3724C930E74AF87B78C777D1C701F; IL2CPP_EXTERN_C String_t* _stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409; IL2CPP_EXTERN_C String_t* _stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50; IL2CPP_EXTERN_C String_t* _stringLiteralB3337829708B47BA30EF6CB0D62B0BC7364C36F9; IL2CPP_EXTERN_C String_t* _stringLiteralB3DB3AF9A0E0243F28ED20FCC3B1D5D1FAAAFBB6; IL2CPP_EXTERN_C String_t* _stringLiteralB6589FC6AB0DC82CF12099D1C2D40AB994E8410C; IL2CPP_EXTERN_C String_t* _stringLiteralB66A404869995E54B8D48D938E63CA3C7D1C7DCD; IL2CPP_EXTERN_C String_t* _stringLiteralB76FF4906F33C2DD97DDD929B9662BA8CAC6174C; IL2CPP_EXTERN_C String_t* _stringLiteralB858CB282617FB0956D960215C8E84D1CCF909C6; IL2CPP_EXTERN_C String_t* _stringLiteralBA5566E02CA7D0FF07946B5BE9A254A7BA000156; IL2CPP_EXTERN_C String_t* _stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8; IL2CPP_EXTERN_C String_t* _stringLiteralBCA799238FFD9062EADADF1671BF7042DB42CF92; IL2CPP_EXTERN_C String_t* _stringLiteralBDEF35423BEEA3F7C34BDC3E75748DEA59050198; IL2CPP_EXTERN_C String_t* _stringLiteralBF62280F159B1468FFF0C96540F3989D41279669; IL2CPP_EXTERN_C String_t* _stringLiteralC984AED014AEC7623A54F0591DA07A85FD4B762D; IL2CPP_EXTERN_C String_t* _stringLiteralCA4CB5523B49D5F62897296F6FCD5ABE68B27A24; IL2CPP_EXTERN_C String_t* _stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322; IL2CPP_EXTERN_C String_t* _stringLiteralD3BB63BF7137B1804A34F9470FC40500AA311F09; IL2CPP_EXTERN_C String_t* _stringLiteralD6DCAE95E610BC8D0E5B3943E79F70AD76075C8D; IL2CPP_EXTERN_C String_t* _stringLiteralD7F5BC0BFDF8E081DB31E631E37B15C3881B1317; IL2CPP_EXTERN_C String_t* _stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D; IL2CPP_EXTERN_C String_t* _stringLiteralDD1186892A2F5C2BD17CD7D41F90482E39BD02C5; IL2CPP_EXTERN_C String_t* _stringLiteralE21EE77D500910A11959B5AF57FD48D7CF7F326A; IL2CPP_EXTERN_C String_t* _stringLiteralE4C3A2D0CC24A4535EF91791064FFE989CBD382A; IL2CPP_EXTERN_C String_t* _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346; IL2CPP_EXTERN_C String_t* _stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497; IL2CPP_EXTERN_C String_t* _stringLiteralE71E7BC3FE9E9F3C39E46B53FFFF0C83D9CC9A36; IL2CPP_EXTERN_C String_t* _stringLiteralE7A77DDE1DCF7766A8F2B41123A23E1C33F262A8; IL2CPP_EXTERN_C String_t* _stringLiteralEB43350789911DF5B5D17EB5DFF35D072DFF48B7; IL2CPP_EXTERN_C String_t* _stringLiteralF1494311E45E6D88177EAF1A6727542529836CC8; IL2CPP_EXTERN_C String_t* _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F; IL2CPP_EXTERN_C String_t* _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5; IL2CPP_EXTERN_C String_t* _stringLiteralF4753A4DEE54EE10A75B28C6D04EB9EA0D19ACCE; IL2CPP_EXTERN_C String_t* _stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3; IL2CPP_EXTERN_C String_t* _stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA; IL2CPP_EXTERN_C String_t* _stringLiteralFA6B188D3101E2A5E782C1F0AF6FAFCA10C8BA53; IL2CPP_EXTERN_C String_t* _stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049; IL2CPP_EXTERN_C String_t* _stringLiteralFB499AED03084DC7A8ECBDE5DADA639999536566; IL2CPP_EXTERN_C String_t* _stringLiteralFB89F8D393DA096100BFDC1D5649D094EFF15377; IL2CPP_EXTERN_C String_t* _stringLiteralFB96549631C835EB239CD614CC6B5CB7D295121A; IL2CPP_EXTERN_C String_t* _stringLiteralFFFF85E12994D802154FE586A70E285162D88E1E; IL2CPP_EXTERN_C const RuntimeMethod* Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ConsoleCancelEventArgs__ctor_m95968474A63DE5D98393AABB6C10EB670127EAFF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_FromBase64String_m079F788D000703E8018DA39BE9C05F1CBF60B156_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToBase64String_mF201749AD724C437524C8A6108519470A0F65B84_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m2DDDB2A7442059FE2185B347BB71BF7577781807_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m4D9F94693332601CE2F1CF8DB9933F7C0FE882B1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m5B2E3D791EE1E14A7604D126C24AA62FE2587B60_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m645FE381788C101B2BE504F57811E655AD432935_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_m7D3D6E8B30620A208FC31EE6C29087EA6FDFF923_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_mBA74300A0EBF60E75A3ABED4AA4AAB62DF40014A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToByte_mF058F63299585352A96AB211EF4DA55B9996ADA5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_m56A1099464A288FD3AB6F82B7433DB063F671B29_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_m5A1F3909973CE4894614B7444B430BE562456F8C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_m5BD134B72978B879B81A824DFAC8FF29F5300245_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_m9171D149D77DE0FBB36CB4D91EEBDC06B2DD6F29_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_m9F32E993218E9D544A9FCC6FE50D6501A838315F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToChar_mBFD88FBE8D41F3FEB4049B8EF556C2D996F5F531_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_m452BBDF72FBBBF90915F464E0558DA82CE1F7DBF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_m57BC4B92DCAEAA22820CD1915778B407AC23D9C5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_mBAB0E578750A2DE0990F9B301C7CBE2397A61A35_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_mC121EAEA7C8458D987480F1669C6A40082AA93C1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt16_mE8E094D5AD321E5E6756E332116FAF1C084A1CD2_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt32_m4E8E4BA500C8372D58B20E706C76C8126F7F5260_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt32_m5CE30569A0A5B70CBD85954BEEF436F57D6FAE6B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt32_m8DC81C7C49EE4A9334E71E45E3A220644E45B4F4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt32_m966337716B0CC4A45307D82BC21BCA1F8BB22D1C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt64_m396C2B4FA8F12D0C76E0AA3A31872D93BF5EA11D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToInt64_m6E6AC604B6C67431B921B2B3CC577F2F0A70741C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m0D0A382E0BFF2DAE7019CAB2F6309EB48EFFFD94_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m1A4B3CD0081049789B368AE723C5214669A80767_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m2BA3408A7B10119B60B923928EFCFA17D3C46D50_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m4455F931B18E5D87DE1F99B2686F3D4770E9D177_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m5F3E822A40FB8BC9DCE9D39C07D0BFDB5CAE38C3_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_m750B83AD00E06419AEDFE4436323AF85520E3E00_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToSByte_mCC85C35F01295663A487DDA2C4855C5962ADA2AF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_m19D8F9B74EB5F96C835FA5045E925F000750A8B3_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_m3A0BC273AC75E936BBAA48B0D451DB161CEC11CE_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_m3BC2069048E0E6C17C6B4C18BFB8FC949739BFFF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_mA5386907A6E781E3D4261BDB7D6308FBD5B518F7_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_mC540754A3F101A7A13FB26FD89836025507E7E80_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_m58D2EC3CD2B71C31AD88B51C3F597003A40CAA35_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_m78245CD2AE3D0369F5A99FF013AF73FFBB8CF869_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_m7DC544C6EB3CA7920C82A243D9C387B462697BAC_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_mA22ABF80925CA54B6B4869939964184C7F344B41_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_mC305AB953ECDC1EDEC3F76C2ED9C2898A6A2D8A8_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt32_mD1B91075B4D330E0D2D4600A6D5283C2FA1586E4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt64_m24AAA55A63E618B389C773AC090EB4F664BFC729_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt64_m3D60F8111B12E0D8BB538E433065340CF45EB772_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt64_m6DE01C92993B122AC45D94CCD68C1614DB93C525_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt64_m97F318132CF70D2795CFB709BAB8789803BCC08A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Convert_ToUInt64_mE0A19C049B47AC33472017793E0B8FCF5A9CE098_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* CultureAwareComparer_GetHashCode_m6ADEE70C24EB4AAB42C72C9808DF036EDE055D9A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToBoolean_m0F9A794EAEF58C50CFF9ECEE2760C4C63A0371B7_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToByte_m8DEEB8376504FD41BE96151D41A8F9933F4C606F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToChar_m5B7CF101F29BCEAC2B229D25F8ADD330BDBD0793_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToDateTime_m3E8A9034AF13781C24C788FACCBD601637B73432_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToDecimal_mC30B1FDB8D3F4165E400A919FC0C1D5A5A5E6F0B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToDouble_m7E3A77F228DEF3C0291F43571632FF0ADD22A8AA_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToInt16_mF1F70AA5E7C2F3A8DFDA93C46CD1F757208FDEB1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToInt32_mE953190F1847562CC0CF798BE0237D903DFF7E67_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToInt64_m328C7202D595DF73985D48F2E6C3A8FD8E99977A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToSByte_m858C48A31D48D55E63528C1FF77B32C6AB69BDDC_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToSingle_m83559328EDDA097F34DE62755E9014D5DC226435_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToUInt16_mB4DFF398A4EB0E54E2CD632E9728D7162DA7A5EB_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToUInt32_m4CFFCFF1F58EE869C907CC5A2C2421034A628B81_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull_System_IConvertible_ToUInt64_m0F1C8A9AF9BEE4E93FF637569D1A0A28F1C2C628_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DBNull__ctor_m65FBEA4E461D29FD277A21BEAA693BD11DF7D3C9_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_FromBinary_m5A34F3CF87443A48B220F77B685C35B8A534E973_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_op_Addition_m6CE7A79B6E219E67A75AB17545D1873529262282_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_MoveNext_m9517CB795206780030F5231EB58BC2A0B04D3B65_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_Reset_m1B23469BFCF718FF78AA504A91E93AB733AE4C55_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_get_Current_m3C665E408D870A47554A7552A087CB881C969618_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_get_Entry_m09E4C8736E1303C56569896F34943C95F4D62222_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_get_Key_m09B7F9811379917D1101DFF85FA577133A62AD6A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashtableEnumerator_get_Value_mEB78D8A682883CABCBAFD20B340BD827CB71561E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_Add_mA0474AD4AE2DBE6A79C73581D8953D8FA2E49CC5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_Clear_m4FD28BADB113D1236A2EEBCCFF261CC3A07A35F4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_CopyTo_m8DC7C8536F2D2E94FFDF9F5AE722AB162268949B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_IndexOf_m4989B93B8C4A9125C1C4706A157A397AEF313DD8_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_Insert_mD4D820CE07B12689310D9B02553BEF129F4979E0_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_RemoveAt_m5F429F5C66F066286F24749AB0D4431401277A9C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_Remove_m9680EA54CFF0F33A6EA3C7E1F6BBC9A579DE361F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* KeyList_set_Item_mD11AABAAC1E1D094A7AD2183429EB79582BDA945_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_Contains_m0889DC263BFBDAA6AD8DA592C222B8C1A119CFF1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_Remove_m8830F948D15B54AE441A2F08C525BA1A2520A64E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_get_Item_m5C20AE4CCC3DA73F7FEDE3CC3557CFCD79448DB6_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LowLevelComparer_Compare_m950FD3BE5F5E45A8603E7F41582B14316F91863E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeEnumerator_MoveNext_mF7EB64C0633A49177F0817798BAD805FA4E7C025_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeEnumerator_Reset_m0DAD13011DCF933A2CD6917245CF84314CFF9976_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeEnumerator_get_Key_m876916B1826FA3BD6C57A6E97AECA50FCF84021B_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeEnumerator_get_Value_m2AF56ADD70274EBFEB8EBB2AE433532DABD5E289_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeKeyValueEnumerator_MoveNext_mA9E4B60E2BA389C797B17ECAB6D9C42E620B4353_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeKeyValueEnumerator_Reset_mB2004623AA41A100CC31DB9940A3C1A4048707BE_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* NodeKeyValueEnumerator_get_Current_m3ACA9CE20B8D7D8258C392EBD39B82B2758631BB_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* QueueEnumerator_MoveNext_mD32B729CB15A926B5CD49F1A1227DE43601953F8_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* QueueEnumerator_Reset_mA1E9C48A119A6E6A98564BD3201D2B5E528986A4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Queue_Dequeue_m76B0ECD1EFE53DF0AAFEB184912007322CDE7EB4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Queue_Peek_m494EF9110AE8F89DC0999577445BD8FBBCA79BB4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Queue__ctor_m9D54C0C05803263517B6B75FC6BF08371A28EC52_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_MoveNext_m9E4024F4C87D1FE851B86685062E1EB389D56266_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_Reset_mA0ACBEBFF0955F4BF3B6CA08C028361AE993C1A4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_get_Current_mD1C66071084DE980DC97EABCE7BFBCCF96066120_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_GetByIndex_m607E058040C2B336081FC368D6CEE51AE5D69957_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_GetKey_m07A9F7D84DDBDC427636D5BAA4513C7E510006FC_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_IndexOfKey_m46FB7175A30C6A18230D8D0841DFF593E3D2425D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_RemoveAt_m5EB61F5A3B6D5DD93169325D7EEF41C34547813D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_Synchronized_mA6FCDAC41F1DABC16B721C5D8E61374689A19458_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_set_Capacity_mBE3FA4CD3FFF4D79E340C95007ED475AC96EFB52_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SortedList_set_Item_m070CA28A6691AB17E1A464BA43975503365EE0CC_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* StackEnumerator_MoveNext_m7C00619A440FB2C12C0A5C3C8CEB934250C3DE22_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* StackEnumerator_Reset_m72AB015F4BB163EC9DC19457743EF309A4C24187_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Stack_Peek_mEAC45FC37790CF917154F27345E106C2EE38346C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Stack_Pop_m5419FBFC126E7004A81612F90B8137C5629F7CDE_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SyncHashtable_ContainsKey_m2535E9B4F57EA6CF6D26945A835838B4AD24EEDD_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SyncHashtable_GetObjectData_m893D45F4B0C1EE87E4A89A8EF33ED30978A29C38_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SyncHashtable__ctor_m818995791B476F454D5EF898AF16DE75CC0C2EB1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* SyncSortedList_IndexOfKey_m15C2D437CF0DC94819E808B7D7930EFC03E8AE10_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_Add_mB8794C295CC62AB35096EE27A481E8A30BD30B04_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_Clear_m9753CB2AF143162A597E97279F99FEF687A06C07_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_CopyTo_mB6C4D3E38A405F02D80EC5CE18E246D3D447AA19_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_Insert_m28C14D2292C26CEEA93F4C1DC8DF5FE1807AEE53_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_RemoveAt_m35113DF97CC414BD1312E65EB0F58BACF60D87C1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_Remove_mA2FEB0A0A2022DA19689374C7232CB5161AFF49D_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* ValueList_set_Item_mCAB63AA0CB69814B3973E323C78EBD8BD4BEACCB_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* WindowsConsole_DoWindowsConsoleCancelEvent_m4FAC7A4ADAFBDC6AACB88F9B38FCA6511BC79627_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeType* Boolean_tB53F6830F670160873277339AA58F15CAED4399C_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Empty_t31C7ECDF7D102AFFCE029D8AB11D8595F0316ED2_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* GregorianCalendar_tC611DFF7946345F7AF856B31987FEECB98DEE005_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Int32_t585191389E07734F19F3156FF88FB3EF4800D102_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* RuntimeObject_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* String_t_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_0_0_0_var; IL2CPP_EXTERN_C const uint32_t ConsoleCancelEventArgs__ctor_m95968474A63DE5D98393AABB6C10EB670127EAFF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleCancelEventArgs__ctor_mF734EC3C82D0A490C0A05416E566BFC53ACFB471_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver_CreateTermInfoDriver_m93B83A6BC60910A8FDFA247BE56A30055E687342_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver_CreateWindowsConsoleDriver_mB2C43CDD6BD7C2159D7B939D8EEBEA9BFC07F5DF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver_ReadKey_m26C9ECDAE36AEE4B923BFDD9420D341AB3DDA900_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver__cctor_mD940A3DF23F49F26B5BAC4D5C1D96A9DD48FCA4A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_ReadKey_m64DBD2BDB13D04E2E73B95F1BD3B9D08B370D3BA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_ReadKey_m8E93A1A91E2D0BE19342C479E9D769AB0C6E37B4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_SetupStreams_m6CC1706E3A1838A0C710F3053EF589C7BA934065_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console__cctor_m44FB48190CE1DCE878B95D9D397D29C7527BEE44_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_get_Error_mE1078EFC5C7C133964838D2A72B8FB9567E4C98A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_get_InputEncoding_m60EAA2E167A0C8C681997B998E851D8CD6C954FE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_get_Out_m39013EA4B394882407DA00C8670B7D7873CFFABF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Console_get_OutputEncoding_mA23798B6CE69F59EAA00C8206EF8552196120647_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_FromBase64String_m079F788D000703E8018DA39BE9C05F1CBF60B156_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_GetTypeCode_mFE36252E332A7D699C91003DF56C37380C1AD58D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBase64CharArray_m22C304194795A2FB2FE5A5C90D5A1BC5C2D052F8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBase64String_mF201749AD724C437524C8A6108519470A0F65B84_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBoolean_m4C852F7D316D28B27B202BC731B26EA79F2955E0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBoolean_m881535C7C6F8B032F5883E7F18A90C27690FB5E4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToBoolean_mB50CA6A7A647629B5CCC6BA10A06903B1912AF40_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m2DDDB2A7442059FE2185B347BB71BF7577781807_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m4D9F94693332601CE2F1CF8DB9933F7C0FE882B1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m5B2E3D791EE1E14A7604D126C24AA62FE2587B60_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m645FE381788C101B2BE504F57811E655AD432935_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m71CFEFDB61F13E2AD7ECF91BA5DEE0616C1E857A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m7D3D6E8B30620A208FC31EE6C29087EA6FDFF923_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_m91AFBFC15EA62AF9EA9826E3F777635C1E18F32C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mA8B21973561985CBAAAE340648DFCBE6B1A04771_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mBA74300A0EBF60E75A3ABED4AA4AAB62DF40014A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mBF7D0A7CFDAB28F8B3D979168CFE7A6404A2A606_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mF058F63299585352A96AB211EF4DA55B9996ADA5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToByte_mF5A487816056F3D1509511E3CD8FA1DF3D91F581_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m56A1099464A288FD3AB6F82B7433DB063F671B29_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m5A1F3909973CE4894614B7444B430BE562456F8C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m5BD134B72978B879B81A824DFAC8FF29F5300245_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m9171D149D77DE0FBB36CB4D91EEBDC06B2DD6F29_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m94EF86BDBD5110CF4C652C48A625F546AA24CE95_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_m9F32E993218E9D544A9FCC6FE50D6501A838315F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToChar_mBFD88FBE8D41F3FEB4049B8EF556C2D996F5F531_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDateTime_m246003CF3103F7DF9D6E817DCEFAE2CF8068862D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDateTime_m57803D920D7F8261F00652A19DD01E530A530795_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m0723C02BC98733C38A826B8BBF2C4AE24B7CB557_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m22A4086CA96BD7E3E1D23660A838AFA0F48946D6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m291E4FE569EB911F06EF4269522C1DA0BEB7CB5F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m481ADC9D8F8A686750301A7F4B32B6F78330F077_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m4AC31B36EF41A7409233DEDB9389EA97FB981FDA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m707FBD6E1B6D6F7F71D1D492C5F5AE981B561DEF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_m80616EA9DCA3177D13755D16D12FE16F7EF93D6B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mC4A6FC31B0F2C506D113380567B082CCB6A4FEED_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mD8F65E8B251DBE61789CAD032172D089375D1E5B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mD9355C906353F7E283024449544616979EF4823E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mECE2EDC28EBA5F0B88702C15D0A3A1DABEE8D6A1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mF2C5F32DF4C8DC0938C223031CDDF4AC1E08A0CC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mF93A2E5C1006C59187BA8F1F17E66CEC2D8F7FCE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDecimal_mFD0BC78E6BE4EDBFD7A0767E7D95A39E40F0260F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDouble_m053A47D87C59CA7A87D4E67E5E06368D775D7651_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDouble_m8EAF69AB183D6DF604898A3EDE5A27A4AFBFF1D8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToDouble_mB31B6067B5E9336860641CBD4424E17CA42EC3FA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m1F982FED72A4829E1DE1A64F162F13555FC1F7EC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m452BBDF72FBBBF90915F464E0558DA82CE1F7DBF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m57BC4B92DCAEAA22820CD1915778B407AC23D9C5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m7F87DC717F07D47C104372D55D3E72FBE26CF2CC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_m9E4E48A97E050355468F58D2EAEB3AB3C811CE8B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_mBAB0E578750A2DE0990F9B301C7CBE2397A61A35_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_mBB1C4102314D1306F894C0E3CC7FC72900EE4E13_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_mC121EAEA7C8458D987480F1669C6A40082AA93C1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt16_mE8E094D5AD321E5E6756E332116FAF1C084A1CD2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m4D644EB3F03017202A65F4CADB3382BF81FF5D71_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m4E8E4BA500C8372D58B20E706C76C8126F7F5260_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m5CE30569A0A5B70CBD85954BEEF436F57D6FAE6B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m5D40340597602FB6C20BAB933E8B29617232757A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m8DC81C7C49EE4A9334E71E45E3A220644E45B4F4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_m966337716B0CC4A45307D82BC21BCA1F8BB22D1C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_mA9271FF590B90ADF4072A0FBF2C7F59874FA5EC4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt32_mCF1152AF4138C1DD7A16643B22EE69A38373EF86_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m396C2B4FA8F12D0C76E0AA3A31872D93BF5EA11D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m64CA1F639893BC431286C0AE8266AA46E38FB57D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m66912A2344452B0C97DD3EE60A8560A49248CF78_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m6963E5AB9C468141588B8BE08A9F2454A066D3CA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m6E6AC604B6C67431B921B2B3CC577F2F0A70741C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m740F0CA2696F5D04F06456FCBFE08E942B12B4A6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToInt64_m8964FDE5D82FEC54106DBF35E1F67D70F6E73E29_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m0D0A382E0BFF2DAE7019CAB2F6309EB48EFFFD94_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m1A4B3CD0081049789B368AE723C5214669A80767_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m2716303126BD8C930D1D4E8590F8706A8F26AD48_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m286EC501DE7B1980DE30BBB28DDA70AE4BB696E5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m2BA3408A7B10119B60B923928EFCFA17D3C46D50_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m4455F931B18E5D87DE1F99B2686F3D4770E9D177_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m5F3E822A40FB8BC9DCE9D39C07D0BFDB5CAE38C3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m750B83AD00E06419AEDFE4436323AF85520E3E00_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_m97BA7655D1C139BC268A90E503AFD4489558BE32_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_mCC85C35F01295663A487DDA2C4855C5962ADA2AF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSByte_mFFC0642A84BC819A5DED67F18AD2ED18A8F80CD1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSingle_mB30A36F02973B8210209CA62F2DD7B212857845A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToSingle_mDC4B8C88AF6F230E79A887EFD4D745CB08341828_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToString_m10FC2E5535B944C2DFE83E6D2659122C9408F0FF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m022D5C7E373AE755EF157BE123D6856C9A931DFC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m13E0B382AD753A7931E9583BDF9091719617F70C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m19D8F9B74EB5F96C835FA5045E925F000750A8B3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m3A0BC273AC75E936BBAA48B0D451DB161CEC11CE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m3BC2069048E0E6C17C6B4C18BFB8FC949739BFFF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_mA5386907A6E781E3D4261BDB7D6308FBD5B518F7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_mB7311DB5960043FD81C1305B69C5328126F43C89_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_mC488D697C85EE1862D2D8FFFD30BC8E99AB73BE5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_mC540754A3F101A7A13FB26FD89836025507E7E80_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_m2726353738A26D6688A1F8F074056C17A09B3A84_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_m58D2EC3CD2B71C31AD88B51C3F597003A40CAA35_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_m5CD74B1562CFEE536D3E9A9A89CEC1CB38CED427_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_m78245CD2AE3D0369F5A99FF013AF73FFBB8CF869_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_m7DC544C6EB3CA7920C82A243D9C387B462697BAC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mA22ABF80925CA54B6B4869939964184C7F344B41_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mB53B83E03C15DCD785806793ACC3083FCC7F4BCA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mC305AB953ECDC1EDEC3F76C2ED9C2898A6A2D8A8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mD1B91075B4D330E0D2D4600A6D5283C2FA1586E4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt32_mE576F9C14D9BA51A0E3471521033BF798781CCE7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_m24AAA55A63E618B389C773AC090EB4F664BFC729_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_m3D60F8111B12E0D8BB538E433065340CF45EB772_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_m4A02F154C2265302484CD2741DF92C14531134F0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_m6DE01C92993B122AC45D94CCD68C1614DB93C525_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_m97F318132CF70D2795CFB709BAB8789803BCC08A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_mA246C8DD45C3EA0EFB21E3ED8B6EE6FAAE119232_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_mA8C3C5498FC28CBA0EB0C37409EB9E04CCF6B8D2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_mC9816AF80E8B2471627DB2BE1E4A02160D8BAFF3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert_ToUInt64_mE0A19C049B47AC33472017793E0B8FCF5A9CE098_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Convert__cctor_m04895F6ACC7D3D4BC92FC0CB5F24EBBEDF7FA9D1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t CultureAwareComparer_Equals_mEA38131EAA97A1058C5A284AE1F9A03DC8412CD2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t CultureAwareComparer_GetHashCode_m6ADEE70C24EB4AAB42C72C9808DF036EDE055D9A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t CultureAwareComparer__ctor_m932FEC0DC86BAD111BC13357F712B51262F4EB28_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t CurrentSystemTimeZone_GetUtcOffset_m5A2292AB58E072C8C11975699EFEA9B3DE8A741A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t CurrentSystemTimeZone__ctor_m19D1DDA56D25F55B9EF411773A18CC0914DA61C4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToBoolean_m0F9A794EAEF58C50CFF9ECEE2760C4C63A0371B7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToByte_m8DEEB8376504FD41BE96151D41A8F9933F4C606F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToChar_m5B7CF101F29BCEAC2B229D25F8ADD330BDBD0793_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToDateTime_m3E8A9034AF13781C24C788FACCBD601637B73432_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToDecimal_mC30B1FDB8D3F4165E400A919FC0C1D5A5A5E6F0B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToDouble_m7E3A77F228DEF3C0291F43571632FF0ADD22A8AA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToInt16_mF1F70AA5E7C2F3A8DFDA93C46CD1F757208FDEB1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToInt32_mE953190F1847562CC0CF798BE0237D903DFF7E67_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToInt64_m328C7202D595DF73985D48F2E6C3A8FD8E99977A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToSByte_m858C48A31D48D55E63528C1FF77B32C6AB69BDDC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToSingle_m83559328EDDA097F34DE62755E9014D5DC226435_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToType_m6DE5E30330953145F76EF4BC8C8446C61FFB5E6D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToUInt16_mB4DFF398A4EB0E54E2CD632E9728D7162DA7A5EB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToUInt32_m4CFFCFF1F58EE869C907CC5A2C2421034A628B81_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_System_IConvertible_ToUInt64_m0F1C8A9AF9BEE4E93FF637569D1A0A28F1C2C628_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_ToString_m57394DA26A502AAD19DBEAE045230CEB5F6FF236_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull_ToString_mA97EAD399B15473466B66DEFB53FC261A00BE785_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull__cctor_mC681597B5135AD25F2A598A96F2C7129C31283AE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DBNull__ctor_m65FBEA4E461D29FD277A21BEAA693BD11DF7D3C9_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_FormatCustomizedRoundripTimeZone_mDCF0536EFD8B9E6DD2E794237D72D9C939099AC7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_FormatCustomizedTimeZone_m31043AD6F2795436AB56520F2689E3E0DDA5C685_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_Format_mA965A0AFBC1F2DA20C56B16652515CB08F515CFC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTimeFormat__cctor_m767ECD160CF93F838EF10AF7C197BF3002A39D34_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_FromBinary_m5A34F3CF87443A48B220F77B685C35B8A534E973_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_FromFileTime_m48DCF83C7472940505DE71F244BC072E98FA5676_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ParseExact_m4F38666EAE122CB8C743160778696BA78B659C56_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ParseExact_mF45E615EBCC82CA967D4BC7838EE570508D0F97F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_Parse_m77FF2BFB1CE8597D3BAAB967AF3534CAF60B7B4A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_Parse_mFB11F5C0061CEAD9A2F51E3814DEBE0475F2BA37_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_TryCreate_m66B150DF90CE2A1C9658A034DE7964EE44F5D58A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_TryParseExact_mF90DADD1A931E9A7980AEA6175429E4B3C35B8E1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_TryParse_m4C5B905D8A9883947A9A45009C1A8184472E7D7B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__cctor_mE95C20EB1DD6B449472701E37D593FBF224E3D58_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_get_Now_mB464D30F15C97069F92C1F910DCDDC3DFCC7F7D2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_get_UtcNow_m171F52F4B3A213E4BAD7B78DC8E794A269DE38A1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_op_Addition_m6CE7A79B6E219E67A75AB17545D1873529262282_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_MoveNext_m9517CB795206780030F5231EB58BC2A0B04D3B65_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_Reset_m1B23469BFCF718FF78AA504A91E93AB733AE4C55_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_get_Current_m3C665E408D870A47554A7552A087CB881C969618_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_get_Entry_m09E4C8736E1303C56569896F34943C95F4D62222_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_get_Key_m09B7F9811379917D1101DFF85FA577133A62AD6A_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashtableEnumerator_get_Value_mEB78D8A682883CABCBAFD20B340BD827CB71561E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyCollection_GetEnumerator_mDDD12D3A054E820FB09D8F856F3630766EC5A79B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_Add_mA0474AD4AE2DBE6A79C73581D8953D8FA2E49CC5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_Clear_m4FD28BADB113D1236A2EEBCCFF261CC3A07A35F4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_CopyTo_m8DC7C8536F2D2E94FFDF9F5AE722AB162268949B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_GetEnumerator_m4742596694F3C4D7698F098B5AE58A4C01846AB1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_IndexOf_m4989B93B8C4A9125C1C4706A157A397AEF313DD8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_Insert_mD4D820CE07B12689310D9B02553BEF129F4979E0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_RemoveAt_m5F429F5C66F066286F24749AB0D4431401277A9C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_Remove_m9680EA54CFF0F33A6EA3C7E1F6BBC9A579DE361F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t KeyList_set_Item_mD11AABAAC1E1D094A7AD2183429EB79582BDA945_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_Contains_m0889DC263BFBDAA6AD8DA592C222B8C1A119CFF1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_GetEnumerator_mF52220B279A7129CDCE8A1A6FA052872AEE7958B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_Remove_m8830F948D15B54AE441A2F08C525BA1A2520A64E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_System_Collections_IEnumerable_GetEnumerator_mB88A5A0A4C1C72E307F8D458771AE5F0F1935C5C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_get_Item_m5C20AE4CCC3DA73F7FEDE3CC3557CFCD79448DB6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_get_Keys_m9674EE5C5BCB561F4F15F369C73B065C9C056841_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_get_SyncRoot_m88EB114FF189FA895C06678E7185AC9DA04FA950_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LowLevelComparer_Compare_m950FD3BE5F5E45A8603E7F41582B14316F91863E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LowLevelComparer__cctor_m2DCDAD27BA9553BF9C77B200A37B4C26B5146B53_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_MoveNext_mF7EB64C0633A49177F0817798BAD805FA4E7C025_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_Reset_m0DAD13011DCF933A2CD6917245CF84314CFF9976_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_get_Current_m2F9ADD988136EE6CC948DAB6D1557ECBD6ABF051_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_get_Key_m876916B1826FA3BD6C57A6E97AECA50FCF84021B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeEnumerator_get_Value_m2AF56ADD70274EBFEB8EBB2AE433532DABD5E289_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeKeyValueCollection_System_Collections_IEnumerable_GetEnumerator_mEE5E9C30549D42EAAC2807E8E5C5E15BB255BFAE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeKeyValueEnumerator_MoveNext_mA9E4B60E2BA389C797B17ECAB6D9C42E620B4353_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeKeyValueEnumerator_Reset_mB2004623AA41A100CC31DB9940A3C1A4048707BE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t NodeKeyValueEnumerator_get_Current_m3ACA9CE20B8D7D8258C392EBD39B82B2758631BB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t QueueEnumerator_MoveNext_mD32B729CB15A926B5CD49F1A1227DE43601953F8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t QueueEnumerator_Reset_mA1E9C48A119A6E6A98564BD3201D2B5E528986A4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_Clone_m8827A33C420FB6B1432366B24D98FE7280729D66_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_Dequeue_m76B0ECD1EFE53DF0AAFEB184912007322CDE7EB4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_GetEnumerator_m8730E4BCDE57279CFC39992DB55CA7D6E508E2E6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_Peek_m494EF9110AE8F89DC0999577445BD8FBBCA79BB4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_SetCapacity_mB3C8692505E4094B25C932B8AED6EB6A032283A0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_ToArray_mED2DE7F1BC0135A34DB8DD72E8F272DCD5FA2918_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue__ctor_m9D54C0C05803263517B6B75FC6BF08371A28EC52_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Queue_get_SyncRoot_m498B47192FC69A5493708D478CAFEB16B5B3E676_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_MoveNext_m9E4024F4C87D1FE851B86685062E1EB389D56266_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_Reset_mA0ACBEBFF0955F4BF3B6CA08C028361AE993C1A4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_get_Current_mD1C66071084DE980DC97EABCE7BFBCCF96066120_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_Clone_m764F0897536D23F33ECE5691E3009C24D551F78C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_GetByIndex_m607E058040C2B336081FC368D6CEE51AE5D69957_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_GetEnumerator_mB2E4690D0E5C0303FBC478A7EE26B460AD07BB1F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_GetKeyList_mFF3E9309E5E865C2D164F4B5A32BC8CACA1A0A21_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_GetKey_m07A9F7D84DDBDC427636D5BAA4513C7E510006FC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_GetValueList_m787668D1485A261E0052DD2661E1D0FB76C2A6BA_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_IndexOfKey_m46FB7175A30C6A18230D8D0841DFF593E3D2425D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_IndexOfValue_m75AD0951F7DB4214C945D4D1716F5F7EC953B115_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_Init_m117CAD874BDC5E2559B518368A167CD4011F54C5_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_RemoveAt_m5EB61F5A3B6D5DD93169325D7EEF41C34547813D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_Synchronized_mA6FCDAC41F1DABC16B721C5D8E61374689A19458_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_System_Collections_IEnumerable_GetEnumerator_mE8559C93A4F9E049FA398E5DF0635B5D4AE8FE5D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList__cctor_m6A728310AF9D3D2330C935724E8B7D211A5EC016_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_get_SyncRoot_m9B6378B572BC8CEF951E5C477EB24EAFBE6A894B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_set_Capacity_mBE3FA4CD3FFF4D79E340C95007ED475AC96EFB52_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SortedList_set_Item_m070CA28A6691AB17E1A464BA43975503365EE0CC_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t StackEnumerator_MoveNext_m7C00619A440FB2C12C0A5C3C8CEB934250C3DE22_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t StackEnumerator_Reset_m72AB015F4BB163EC9DC19457743EF309A4C24187_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_Clone_m970E7DDDA2100E11F01BF22FDC51B59A0058BB65_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_GetEnumerator_m58A7F61531021CA2F3BF52854236229EB85F6E92_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_Peek_mEAC45FC37790CF917154F27345E106C2EE38346C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_Pop_m5419FBFC126E7004A81612F90B8137C5629F7CDE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_Push_m971376A29407806EA49448EBDF6DECCCE8AF6358_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack__ctor_m98F99FFBF373762F139506711349267D5354FE08_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Stack_get_SyncRoot_mD2CA98A101E2F7EF48457FA8496700E438054EB6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncHashtable_Clone_m13B484BC6DD78F6EBD4E2C23F242B660CD5C3EFD_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncHashtable_ContainsKey_m2535E9B4F57EA6CF6D26945A835838B4AD24EEDD_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncHashtable_GetObjectData_m893D45F4B0C1EE87E4A89A8EF33ED30978A29C38_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncHashtable__ctor_m818995791B476F454D5EF898AF16DE75CC0C2EB1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncSortedList_IndexOfKey_m15C2D437CF0DC94819E808B7D7930EFC03E8AE10_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t SyncSortedList__ctor_mB40704E91760DC82374A9112ACB76744F60ED2E2_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueCollection_GetEnumerator_m2FE21FA38B2969847E17733337A097A1374BF42C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_Add_mB8794C295CC62AB35096EE27A481E8A30BD30B04_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_Clear_m9753CB2AF143162A597E97279F99FEF687A06C07_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_CopyTo_mB6C4D3E38A405F02D80EC5CE18E246D3D447AA19_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_GetEnumerator_m64247109B74752BEC8B6A96092D21D8573E459C1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_IndexOf_m98F72D41D170C0F3C874FB0E6549885CF33562DE_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_Insert_m28C14D2292C26CEEA93F4C1DC8DF5FE1807AEE53_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_RemoveAt_m35113DF97CC414BD1312E65EB0F58BACF60D87C1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_Remove_mA2FEB0A0A2022DA19689374C7232CB5161AFF49D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t ValueList_set_Item_mCAB63AA0CB69814B3973E323C78EBD8BD4BEACCB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t WindowsCancelHandler_BeginInvoke_m81C599A998316D97045F021332275532AFFBAB2D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t WindowsConsole_DoWindowsConsoleCancelEvent_m4FAC7A4ADAFBDC6AACB88F9B38FCA6511BC79627_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t WindowsConsole_GetInputCodePage_m492EDD139F7E66A90971A069FA4DD63000F77B4F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t WindowsConsole_GetOutputCodePage_mAF546B0FBC6558F7F2636A86E8733AD4AD2C4DE3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t WindowsConsole__cctor_m5F32EAD6176EB9FCC8E4BF9E34FCA25348324BB9_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_com_FromNativeMethodDefinition_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_pinvoke_FromNativeMethodDefinition_MetadataUsageId; struct CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD_marshaled_com; struct CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD_marshaled_pinvoke; struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_com; struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_pinvoke; struct Delegate_t_marshaled_com; struct Delegate_t_marshaled_pinvoke; struct Exception_t_marshaled_com; struct Exception_t_marshaled_pinvoke; struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2; struct bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A; struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86; struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; struct Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F; struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A; struct RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE; struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E; 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 struct Il2CppArrayBounds; // System.Array // System.Attribute struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 : public RuntimeObject { public: public: }; // System.Collections.ArrayList struct ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 : public RuntimeObject { public: // System.Object[] System.Collections.ArrayList::_items ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ____items_0; // System.Int32 System.Collections.ArrayList::_size int32_t ____size_1; // System.Int32 System.Collections.ArrayList::_version int32_t ____version_2; // System.Object System.Collections.ArrayList::_syncRoot RuntimeObject * ____syncRoot_3; public: inline static int32_t get_offset_of__items_0() { return static_cast<int32_t>(offsetof(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4, ____items_0)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get__items_0() const { return ____items_0; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of__items_0() { return &____items_0; } inline void set__items_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ____items_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_0), (void*)value); } inline static int32_t get_offset_of__size_1() { return static_cast<int32_t>(offsetof(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4, ____size_1)); } inline int32_t get__size_1() const { return ____size_1; } inline int32_t* get_address_of__size_1() { return &____size_1; } inline void set__size_1(int32_t value) { ____size_1 = value; } inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of__syncRoot_3() { return static_cast<int32_t>(offsetof(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4, ____syncRoot_3)); } inline RuntimeObject * get__syncRoot_3() const { return ____syncRoot_3; } inline RuntimeObject ** get_address_of__syncRoot_3() { return &____syncRoot_3; } inline void set__syncRoot_3(RuntimeObject * value) { ____syncRoot_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_3), (void*)value); } }; struct ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4_StaticFields { public: // System.Object[] System.Collections.ArrayList::emptyArray ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___emptyArray_4; public: inline static int32_t get_offset_of_emptyArray_4() { return static_cast<int32_t>(offsetof(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4_StaticFields, ___emptyArray_4)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_emptyArray_4() const { return ___emptyArray_4; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_emptyArray_4() { return &___emptyArray_4; } inline void set_emptyArray_4(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___emptyArray_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___emptyArray_4), (void*)value); } }; // System.Collections.Comparer struct Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B : public RuntimeObject { public: // System.Globalization.CompareInfo System.Collections.Comparer::m_compareInfo CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ___m_compareInfo_0; public: inline static int32_t get_offset_of_m_compareInfo_0() { return static_cast<int32_t>(offsetof(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B, ___m_compareInfo_0)); } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * get_m_compareInfo_0() const { return ___m_compareInfo_0; } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 ** get_address_of_m_compareInfo_0() { return &___m_compareInfo_0; } inline void set_m_compareInfo_0(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * value) { ___m_compareInfo_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_compareInfo_0), (void*)value); } }; struct Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_StaticFields { public: // System.Collections.Comparer System.Collections.Comparer::Default Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * ___Default_1; // System.Collections.Comparer System.Collections.Comparer::DefaultInvariant Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * ___DefaultInvariant_2; public: inline static int32_t get_offset_of_Default_1() { return static_cast<int32_t>(offsetof(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_StaticFields, ___Default_1)); } inline Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * get_Default_1() const { return ___Default_1; } inline Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B ** get_address_of_Default_1() { return &___Default_1; } inline void set_Default_1(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * value) { ___Default_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___Default_1), (void*)value); } inline static int32_t get_offset_of_DefaultInvariant_2() { return static_cast<int32_t>(offsetof(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_StaticFields, ___DefaultInvariant_2)); } inline Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * get_DefaultInvariant_2() const { return ___DefaultInvariant_2; } inline Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B ** get_address_of_DefaultInvariant_2() { return &___DefaultInvariant_2; } inline void set_DefaultInvariant_2(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * value) { ___DefaultInvariant_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___DefaultInvariant_2), (void*)value); } }; // System.Collections.Hashtable_HashtableDebugView struct HashtableDebugView_tFD278E7BCFC46C72422AF1D2E80EADB9F04C5BAD : public RuntimeObject { public: public: }; // System.Collections.Hashtable_HashtableEnumerator struct HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 : public RuntimeObject { public: // System.Collections.Hashtable System.Collections.Hashtable_HashtableEnumerator::hashtable Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___hashtable_0; // System.Int32 System.Collections.Hashtable_HashtableEnumerator::bucket int32_t ___bucket_1; // System.Int32 System.Collections.Hashtable_HashtableEnumerator::version int32_t ___version_2; // System.Boolean System.Collections.Hashtable_HashtableEnumerator::current bool ___current_3; // System.Int32 System.Collections.Hashtable_HashtableEnumerator::getObjectRetType int32_t ___getObjectRetType_4; // System.Object System.Collections.Hashtable_HashtableEnumerator::currentKey RuntimeObject * ___currentKey_5; // System.Object System.Collections.Hashtable_HashtableEnumerator::currentValue RuntimeObject * ___currentValue_6; public: inline static int32_t get_offset_of_hashtable_0() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___hashtable_0)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get_hashtable_0() const { return ___hashtable_0; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of_hashtable_0() { return &___hashtable_0; } inline void set_hashtable_0(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ___hashtable_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___hashtable_0), (void*)value); } inline static int32_t get_offset_of_bucket_1() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___bucket_1)); } inline int32_t get_bucket_1() const { return ___bucket_1; } inline int32_t* get_address_of_bucket_1() { return &___bucket_1; } inline void set_bucket_1(int32_t value) { ___bucket_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___current_3)); } inline bool get_current_3() const { return ___current_3; } inline bool* get_address_of_current_3() { return &___current_3; } inline void set_current_3(bool value) { ___current_3 = value; } inline static int32_t get_offset_of_getObjectRetType_4() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___getObjectRetType_4)); } inline int32_t get_getObjectRetType_4() const { return ___getObjectRetType_4; } inline int32_t* get_address_of_getObjectRetType_4() { return &___getObjectRetType_4; } inline void set_getObjectRetType_4(int32_t value) { ___getObjectRetType_4 = value; } inline static int32_t get_offset_of_currentKey_5() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___currentKey_5)); } inline RuntimeObject * get_currentKey_5() const { return ___currentKey_5; } inline RuntimeObject ** get_address_of_currentKey_5() { return &___currentKey_5; } inline void set_currentKey_5(RuntimeObject * value) { ___currentKey_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___currentKey_5), (void*)value); } inline static int32_t get_offset_of_currentValue_6() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9, ___currentValue_6)); } inline RuntimeObject * get_currentValue_6() const { return ___currentValue_6; } inline RuntimeObject ** get_address_of_currentValue_6() { return &___currentValue_6; } inline void set_currentValue_6(RuntimeObject * value) { ___currentValue_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___currentValue_6), (void*)value); } }; // System.Collections.Hashtable_KeyCollection struct KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 : public RuntimeObject { public: // System.Collections.Hashtable System.Collections.Hashtable_KeyCollection::_hashtable Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ____hashtable_0; public: inline static int32_t get_offset_of__hashtable_0() { return static_cast<int32_t>(offsetof(KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2, ____hashtable_0)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get__hashtable_0() const { return ____hashtable_0; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of__hashtable_0() { return &____hashtable_0; } inline void set__hashtable_0(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ____hashtable_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____hashtable_0), (void*)value); } }; // System.Collections.Hashtable_ValueCollection struct ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 : public RuntimeObject { public: // System.Collections.Hashtable System.Collections.Hashtable_ValueCollection::_hashtable Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ____hashtable_0; public: inline static int32_t get_offset_of__hashtable_0() { return static_cast<int32_t>(offsetof(ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6, ____hashtable_0)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get__hashtable_0() const { return ____hashtable_0; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of__hashtable_0() { return &____hashtable_0; } inline void set__hashtable_0(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ____hashtable_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____hashtable_0), (void*)value); } }; // System.Collections.ListDictionaryInternal struct ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC : public RuntimeObject { public: // System.Collections.ListDictionaryInternal_DictionaryNode System.Collections.ListDictionaryInternal::head DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * ___head_0; // System.Int32 System.Collections.ListDictionaryInternal::version int32_t ___version_1; // System.Int32 System.Collections.ListDictionaryInternal::count int32_t ___count_2; // System.Object System.Collections.ListDictionaryInternal::_syncRoot RuntimeObject * ____syncRoot_3; public: inline static int32_t get_offset_of_head_0() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC, ___head_0)); } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * get_head_0() const { return ___head_0; } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C ** get_address_of_head_0() { return &___head_0; } inline void set_head_0(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * value) { ___head_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___head_0), (void*)value); } inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC, ___version_1)); } inline int32_t get_version_1() const { return ___version_1; } inline int32_t* get_address_of_version_1() { return &___version_1; } inline void set_version_1(int32_t value) { ___version_1 = value; } inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC, ___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__syncRoot_3() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC, ____syncRoot_3)); } inline RuntimeObject * get__syncRoot_3() const { return ____syncRoot_3; } inline RuntimeObject ** get_address_of__syncRoot_3() { return &____syncRoot_3; } inline void set__syncRoot_3(RuntimeObject * value) { ____syncRoot_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_3), (void*)value); } }; // System.Collections.ListDictionaryInternal_DictionaryNode struct DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C : public RuntimeObject { public: // System.Object System.Collections.ListDictionaryInternal_DictionaryNode::key RuntimeObject * ___key_0; // System.Object System.Collections.ListDictionaryInternal_DictionaryNode::value RuntimeObject * ___value_1; // System.Collections.ListDictionaryInternal_DictionaryNode System.Collections.ListDictionaryInternal_DictionaryNode::next DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * ___next_2; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C, ___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(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C, ___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(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C, ___next_2)); } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * get_next_2() const { return ___next_2; } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C ** get_address_of_next_2() { return &___next_2; } inline void set_next_2(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * value) { ___next_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___next_2), (void*)value); } }; // System.Collections.ListDictionaryInternal_NodeEnumerator struct NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 : public RuntimeObject { public: // System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal_NodeEnumerator::list ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list_0; // System.Collections.ListDictionaryInternal_DictionaryNode System.Collections.ListDictionaryInternal_NodeEnumerator::current DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * ___current_1; // System.Int32 System.Collections.ListDictionaryInternal_NodeEnumerator::version int32_t ___version_2; // System.Boolean System.Collections.ListDictionaryInternal_NodeEnumerator::start bool ___start_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7, ___list_0)); } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * get_list_0() const { return ___list_0; } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_current_1() { return static_cast<int32_t>(offsetof(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7, ___current_1)); } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * get_current_1() const { return ___current_1; } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C ** get_address_of_current_1() { return &___current_1; } inline void set_current_1(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * value) { ___current_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___current_1), (void*)value); } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_start_3() { return static_cast<int32_t>(offsetof(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7, ___start_3)); } inline bool get_start_3() const { return ___start_3; } inline bool* get_address_of_start_3() { return &___start_3; } inline void set_start_3(bool value) { ___start_3 = value; } }; // System.Collections.ListDictionaryInternal_NodeKeyValueCollection struct NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A : public RuntimeObject { public: // System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal_NodeKeyValueCollection::list ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list_0; // System.Boolean System.Collections.ListDictionaryInternal_NodeKeyValueCollection::isKeys bool ___isKeys_1; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A, ___list_0)); } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * get_list_0() const { return ___list_0; } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_isKeys_1() { return static_cast<int32_t>(offsetof(NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A, ___isKeys_1)); } inline bool get_isKeys_1() const { return ___isKeys_1; } inline bool* get_address_of_isKeys_1() { return &___isKeys_1; } inline void set_isKeys_1(bool value) { ___isKeys_1 = value; } }; // System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator struct NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 : public RuntimeObject { public: // System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::list ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list_0; // System.Collections.ListDictionaryInternal_DictionaryNode System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::current DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * ___current_1; // System.Int32 System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::version int32_t ___version_2; // System.Boolean System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::isKeys bool ___isKeys_3; // System.Boolean System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::start bool ___start_4; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2, ___list_0)); } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * get_list_0() const { return ___list_0; } inline ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_current_1() { return static_cast<int32_t>(offsetof(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2, ___current_1)); } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * get_current_1() const { return ___current_1; } inline DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C ** get_address_of_current_1() { return &___current_1; } inline void set_current_1(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * value) { ___current_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___current_1), (void*)value); } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_isKeys_3() { return static_cast<int32_t>(offsetof(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2, ___isKeys_3)); } inline bool get_isKeys_3() const { return ___isKeys_3; } inline bool* get_address_of_isKeys_3() { return &___isKeys_3; } inline void set_isKeys_3(bool value) { ___isKeys_3 = value; } inline static int32_t get_offset_of_start_4() { return static_cast<int32_t>(offsetof(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2, ___start_4)); } inline bool get_start_4() const { return ___start_4; } inline bool* get_address_of_start_4() { return &___start_4; } inline void set_start_4(bool value) { ___start_4 = value; } }; // System.Collections.LowLevelComparer struct LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 : public RuntimeObject { public: public: }; struct LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_StaticFields { public: // System.Collections.LowLevelComparer System.Collections.LowLevelComparer::Default LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * ___Default_0; public: inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_StaticFields, ___Default_0)); } inline LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * get_Default_0() const { return ___Default_0; } inline LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 ** get_address_of_Default_0() { return &___Default_0; } inline void set_Default_0(LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * value) { ___Default_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value); } }; // System.Collections.Queue struct Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 : public RuntimeObject { public: // System.Object[] System.Collections.Queue::_array ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ____array_0; // System.Int32 System.Collections.Queue::_head int32_t ____head_1; // System.Int32 System.Collections.Queue::_tail int32_t ____tail_2; // System.Int32 System.Collections.Queue::_size int32_t ____size_3; // System.Int32 System.Collections.Queue::_growFactor int32_t ____growFactor_4; // System.Int32 System.Collections.Queue::_version int32_t ____version_5; // System.Object System.Collections.Queue::_syncRoot RuntimeObject * ____syncRoot_6; public: inline static int32_t get_offset_of__array_0() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____array_0)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get__array_0() const { return ____array_0; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of__array_0() { return &____array_0; } inline void set__array_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ____array_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____array_0), (void*)value); } inline static int32_t get_offset_of__head_1() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____head_1)); } inline int32_t get__head_1() const { return ____head_1; } inline int32_t* get_address_of__head_1() { return &____head_1; } inline void set__head_1(int32_t value) { ____head_1 = value; } inline static int32_t get_offset_of__tail_2() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____tail_2)); } inline int32_t get__tail_2() const { return ____tail_2; } inline int32_t* get_address_of__tail_2() { return &____tail_2; } inline void set__tail_2(int32_t value) { ____tail_2 = value; } inline static int32_t get_offset_of__size_3() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____size_3)); } inline int32_t get__size_3() const { return ____size_3; } inline int32_t* get_address_of__size_3() { return &____size_3; } inline void set__size_3(int32_t value) { ____size_3 = value; } inline static int32_t get_offset_of__growFactor_4() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____growFactor_4)); } inline int32_t get__growFactor_4() const { return ____growFactor_4; } inline int32_t* get_address_of__growFactor_4() { return &____growFactor_4; } inline void set__growFactor_4(int32_t value) { ____growFactor_4 = value; } inline static int32_t get_offset_of__version_5() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____version_5)); } inline int32_t get__version_5() const { return ____version_5; } inline int32_t* get_address_of__version_5() { return &____version_5; } inline void set__version_5(int32_t value) { ____version_5 = value; } inline static int32_t get_offset_of__syncRoot_6() { return static_cast<int32_t>(offsetof(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3, ____syncRoot_6)); } inline RuntimeObject * get__syncRoot_6() const { return ____syncRoot_6; } inline RuntimeObject ** get_address_of__syncRoot_6() { return &____syncRoot_6; } inline void set__syncRoot_6(RuntimeObject * value) { ____syncRoot_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_6), (void*)value); } }; // System.Collections.Queue_QueueDebugView struct QueueDebugView_t5FF125EC597686F20C5494132C038361EFFE6FEA : public RuntimeObject { public: public: }; // System.Collections.Queue_QueueEnumerator struct QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA : public RuntimeObject { public: // System.Collections.Queue System.Collections.Queue_QueueEnumerator::_q Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * ____q_0; // System.Int32 System.Collections.Queue_QueueEnumerator::_index int32_t ____index_1; // System.Int32 System.Collections.Queue_QueueEnumerator::_version int32_t ____version_2; // System.Object System.Collections.Queue_QueueEnumerator::currentElement RuntimeObject * ___currentElement_3; public: inline static int32_t get_offset_of__q_0() { return static_cast<int32_t>(offsetof(QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA, ____q_0)); } inline Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * get__q_0() const { return ____q_0; } inline Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 ** get_address_of__q_0() { return &____q_0; } inline void set__q_0(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * value) { ____q_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____q_0), (void*)value); } inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA, ____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__version_2() { return static_cast<int32_t>(offsetof(QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of_currentElement_3() { return static_cast<int32_t>(offsetof(QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA, ___currentElement_3)); } inline RuntimeObject * get_currentElement_3() const { return ___currentElement_3; } inline RuntimeObject ** get_address_of_currentElement_3() { return &___currentElement_3; } inline void set_currentElement_3(RuntimeObject * value) { ___currentElement_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___currentElement_3), (void*)value); } }; // System.Collections.ReadOnlyCollectionBase struct ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 : public RuntimeObject { public: // System.Collections.ArrayList System.Collections.ReadOnlyCollectionBase::list ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * ___list_0; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772, ___list_0)); } inline ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * get_list_0() const { return ___list_0; } inline ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } }; // System.Collections.SortedList struct SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E : public RuntimeObject { public: // System.Object[] System.Collections.SortedList::keys ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___keys_0; // System.Object[] System.Collections.SortedList::values ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___values_1; // System.Int32 System.Collections.SortedList::_size int32_t ____size_2; // System.Int32 System.Collections.SortedList::version int32_t ___version_3; // System.Collections.IComparer System.Collections.SortedList::comparer RuntimeObject* ___comparer_4; // System.Collections.SortedList_KeyList System.Collections.SortedList::keyList KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * ___keyList_5; // System.Collections.SortedList_ValueList System.Collections.SortedList::valueList ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * ___valueList_6; // System.Object System.Collections.SortedList::_syncRoot RuntimeObject * ____syncRoot_7; public: inline static int32_t get_offset_of_keys_0() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___keys_0)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_keys_0() const { return ___keys_0; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_keys_0() { return &___keys_0; } inline void set_keys_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___keys_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___keys_0), (void*)value); } inline static int32_t get_offset_of_values_1() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___values_1)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_values_1() const { return ___values_1; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_values_1() { return &___values_1; } inline void set_values_1(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___values_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___values_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ____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(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___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_comparer_4() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___comparer_4)); } inline RuntimeObject* get_comparer_4() const { return ___comparer_4; } inline RuntimeObject** get_address_of_comparer_4() { return &___comparer_4; } inline void set_comparer_4(RuntimeObject* value) { ___comparer_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___comparer_4), (void*)value); } inline static int32_t get_offset_of_keyList_5() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___keyList_5)); } inline KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * get_keyList_5() const { return ___keyList_5; } inline KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 ** get_address_of_keyList_5() { return &___keyList_5; } inline void set_keyList_5(KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * value) { ___keyList_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___keyList_5), (void*)value); } inline static int32_t get_offset_of_valueList_6() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ___valueList_6)); } inline ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * get_valueList_6() const { return ___valueList_6; } inline ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE ** get_address_of_valueList_6() { return &___valueList_6; } inline void set_valueList_6(ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * value) { ___valueList_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___valueList_6), (void*)value); } inline static int32_t get_offset_of__syncRoot_7() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E, ____syncRoot_7)); } inline RuntimeObject * get__syncRoot_7() const { return ____syncRoot_7; } inline RuntimeObject ** get_address_of__syncRoot_7() { return &____syncRoot_7; } inline void set__syncRoot_7(RuntimeObject * value) { ____syncRoot_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_7), (void*)value); } }; struct SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields { public: // System.Object[] System.Collections.SortedList::emptyArray ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___emptyArray_8; public: inline static int32_t get_offset_of_emptyArray_8() { return static_cast<int32_t>(offsetof(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields, ___emptyArray_8)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_emptyArray_8() const { return ___emptyArray_8; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_emptyArray_8() { return &___emptyArray_8; } inline void set_emptyArray_8(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___emptyArray_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___emptyArray_8), (void*)value); } }; // System.Collections.SortedList_KeyList struct KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 : public RuntimeObject { public: // System.Collections.SortedList System.Collections.SortedList_KeyList::sortedList SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList_0; public: inline static int32_t get_offset_of_sortedList_0() { return static_cast<int32_t>(offsetof(KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388, ___sortedList_0)); } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * get_sortedList_0() const { return ___sortedList_0; } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E ** get_address_of_sortedList_0() { return &___sortedList_0; } inline void set_sortedList_0(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * value) { ___sortedList_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___sortedList_0), (void*)value); } }; // System.Collections.SortedList_SortedListDebugView struct SortedListDebugView_t685B663AA79F56A8B544B3E77D59D21B816440E7 : public RuntimeObject { public: public: }; // System.Collections.SortedList_SortedListEnumerator struct SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E : public RuntimeObject { public: // System.Collections.SortedList System.Collections.SortedList_SortedListEnumerator::sortedList SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList_0; // System.Object System.Collections.SortedList_SortedListEnumerator::key RuntimeObject * ___key_1; // System.Object System.Collections.SortedList_SortedListEnumerator::value RuntimeObject * ___value_2; // System.Int32 System.Collections.SortedList_SortedListEnumerator::index int32_t ___index_3; // System.Int32 System.Collections.SortedList_SortedListEnumerator::startIndex int32_t ___startIndex_4; // System.Int32 System.Collections.SortedList_SortedListEnumerator::endIndex int32_t ___endIndex_5; // System.Int32 System.Collections.SortedList_SortedListEnumerator::version int32_t ___version_6; // System.Boolean System.Collections.SortedList_SortedListEnumerator::current bool ___current_7; // System.Int32 System.Collections.SortedList_SortedListEnumerator::getObjectRetType int32_t ___getObjectRetType_8; public: inline static int32_t get_offset_of_sortedList_0() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___sortedList_0)); } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * get_sortedList_0() const { return ___sortedList_0; } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E ** get_address_of_sortedList_0() { return &___sortedList_0; } inline void set_sortedList_0(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * value) { ___sortedList_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___sortedList_0), (void*)value); } inline static int32_t get_offset_of_key_1() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___key_1)); } inline RuntimeObject * get_key_1() const { return ___key_1; } inline RuntimeObject ** get_address_of_key_1() { return &___key_1; } inline void set_key_1(RuntimeObject * value) { ___key_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_1), (void*)value); } inline static int32_t get_offset_of_value_2() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___value_2)); } inline RuntimeObject * get_value_2() const { return ___value_2; } inline RuntimeObject ** get_address_of_value_2() { return &___value_2; } inline void set_value_2(RuntimeObject * value) { ___value_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_2), (void*)value); } inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___index_3)); } inline int32_t get_index_3() const { return ___index_3; } inline int32_t* get_address_of_index_3() { return &___index_3; } inline void set_index_3(int32_t value) { ___index_3 = value; } inline static int32_t get_offset_of_startIndex_4() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___startIndex_4)); } inline int32_t get_startIndex_4() const { return ___startIndex_4; } inline int32_t* get_address_of_startIndex_4() { return &___startIndex_4; } inline void set_startIndex_4(int32_t value) { ___startIndex_4 = value; } inline static int32_t get_offset_of_endIndex_5() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___endIndex_5)); } inline int32_t get_endIndex_5() const { return ___endIndex_5; } inline int32_t* get_address_of_endIndex_5() { return &___endIndex_5; } inline void set_endIndex_5(int32_t value) { ___endIndex_5 = value; } inline static int32_t get_offset_of_version_6() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___version_6)); } inline int32_t get_version_6() const { return ___version_6; } inline int32_t* get_address_of_version_6() { return &___version_6; } inline void set_version_6(int32_t value) { ___version_6 = value; } inline static int32_t get_offset_of_current_7() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___current_7)); } inline bool get_current_7() const { return ___current_7; } inline bool* get_address_of_current_7() { return &___current_7; } inline void set_current_7(bool value) { ___current_7 = value; } inline static int32_t get_offset_of_getObjectRetType_8() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E, ___getObjectRetType_8)); } inline int32_t get_getObjectRetType_8() const { return ___getObjectRetType_8; } inline int32_t* get_address_of_getObjectRetType_8() { return &___getObjectRetType_8; } inline void set_getObjectRetType_8(int32_t value) { ___getObjectRetType_8 = value; } }; // System.Collections.SortedList_ValueList struct ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE : public RuntimeObject { public: // System.Collections.SortedList System.Collections.SortedList_ValueList::sortedList SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList_0; public: inline static int32_t get_offset_of_sortedList_0() { return static_cast<int32_t>(offsetof(ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE, ___sortedList_0)); } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * get_sortedList_0() const { return ___sortedList_0; } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E ** get_address_of_sortedList_0() { return &___sortedList_0; } inline void set_sortedList_0(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * value) { ___sortedList_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___sortedList_0), (void*)value); } }; // System.Collections.Stack struct Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 : public RuntimeObject { public: // System.Object[] System.Collections.Stack::_array ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ____array_0; // System.Int32 System.Collections.Stack::_size int32_t ____size_1; // System.Int32 System.Collections.Stack::_version int32_t ____version_2; // System.Object System.Collections.Stack::_syncRoot RuntimeObject * ____syncRoot_3; public: inline static int32_t get_offset_of__array_0() { return static_cast<int32_t>(offsetof(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643, ____array_0)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get__array_0() const { return ____array_0; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of__array_0() { return &____array_0; } inline void set__array_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ____array_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____array_0), (void*)value); } inline static int32_t get_offset_of__size_1() { return static_cast<int32_t>(offsetof(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643, ____size_1)); } inline int32_t get__size_1() const { return ____size_1; } inline int32_t* get_address_of__size_1() { return &____size_1; } inline void set__size_1(int32_t value) { ____size_1 = value; } inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of__syncRoot_3() { return static_cast<int32_t>(offsetof(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643, ____syncRoot_3)); } inline RuntimeObject * get__syncRoot_3() const { return ____syncRoot_3; } inline RuntimeObject ** get_address_of__syncRoot_3() { return &____syncRoot_3; } inline void set__syncRoot_3(RuntimeObject * value) { ____syncRoot_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_3), (void*)value); } }; // System.Collections.Stack_StackDebugView struct StackDebugView_tE0C0C7F6AD6752160144359775846DFDDD36CB2E : public RuntimeObject { public: public: }; // System.Collections.Stack_StackEnumerator struct StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA : public RuntimeObject { public: // System.Collections.Stack System.Collections.Stack_StackEnumerator::_stack Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * ____stack_0; // System.Int32 System.Collections.Stack_StackEnumerator::_index int32_t ____index_1; // System.Int32 System.Collections.Stack_StackEnumerator::_version int32_t ____version_2; // System.Object System.Collections.Stack_StackEnumerator::currentElement RuntimeObject * ___currentElement_3; public: inline static int32_t get_offset_of__stack_0() { return static_cast<int32_t>(offsetof(StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA, ____stack_0)); } inline Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * get__stack_0() const { return ____stack_0; } inline Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 ** get_address_of__stack_0() { return &____stack_0; } inline void set__stack_0(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * value) { ____stack_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____stack_0), (void*)value); } inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA, ____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__version_2() { return static_cast<int32_t>(offsetof(StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of_currentElement_3() { return static_cast<int32_t>(offsetof(StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA, ___currentElement_3)); } inline RuntimeObject * get_currentElement_3() const { return ___currentElement_3; } inline RuntimeObject ** get_address_of_currentElement_3() { return &___currentElement_3; } inline void set_currentElement_3(RuntimeObject * value) { ___currentElement_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___currentElement_3), (void*)value); } }; // System.CompatibilitySwitches struct CompatibilitySwitches_tC541F9F5404925C97741A0628E9B6D26C40CFA91 : public RuntimeObject { public: public: }; struct CompatibilitySwitches_tC541F9F5404925C97741A0628E9B6D26C40CFA91_StaticFields { public: // System.Boolean System.CompatibilitySwitches::IsAppEarlierThanSilverlight4 bool ___IsAppEarlierThanSilverlight4_0; // System.Boolean System.CompatibilitySwitches::IsAppEarlierThanWindowsPhone8 bool ___IsAppEarlierThanWindowsPhone8_1; public: inline static int32_t get_offset_of_IsAppEarlierThanSilverlight4_0() { return static_cast<int32_t>(offsetof(CompatibilitySwitches_tC541F9F5404925C97741A0628E9B6D26C40CFA91_StaticFields, ___IsAppEarlierThanSilverlight4_0)); } inline bool get_IsAppEarlierThanSilverlight4_0() const { return ___IsAppEarlierThanSilverlight4_0; } inline bool* get_address_of_IsAppEarlierThanSilverlight4_0() { return &___IsAppEarlierThanSilverlight4_0; } inline void set_IsAppEarlierThanSilverlight4_0(bool value) { ___IsAppEarlierThanSilverlight4_0 = value; } inline static int32_t get_offset_of_IsAppEarlierThanWindowsPhone8_1() { return static_cast<int32_t>(offsetof(CompatibilitySwitches_tC541F9F5404925C97741A0628E9B6D26C40CFA91_StaticFields, ___IsAppEarlierThanWindowsPhone8_1)); } inline bool get_IsAppEarlierThanWindowsPhone8_1() const { return ___IsAppEarlierThanWindowsPhone8_1; } inline bool* get_address_of_IsAppEarlierThanWindowsPhone8_1() { return &___IsAppEarlierThanWindowsPhone8_1; } inline void set_IsAppEarlierThanWindowsPhone8_1(bool value) { ___IsAppEarlierThanWindowsPhone8_1 = value; } }; // System.Console struct Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D : public RuntimeObject { public: public: }; struct Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields { public: // System.IO.TextWriter System.Console::stdout TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * ___stdout_0; // System.IO.TextWriter System.Console::stderr TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * ___stderr_1; // System.IO.TextReader System.Console::stdin TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * ___stdin_2; // System.Text.Encoding System.Console::inputEncoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___inputEncoding_3; // System.Text.Encoding System.Console::outputEncoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___outputEncoding_4; // System.ConsoleCancelEventHandler System.Console::cancel_event ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * ___cancel_event_5; // System.Console_InternalCancelHandler System.Console::cancel_handler InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * ___cancel_handler_6; public: inline static int32_t get_offset_of_stdout_0() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___stdout_0)); } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * get_stdout_0() const { return ___stdout_0; } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 ** get_address_of_stdout_0() { return &___stdout_0; } inline void set_stdout_0(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * value) { ___stdout_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___stdout_0), (void*)value); } inline static int32_t get_offset_of_stderr_1() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___stderr_1)); } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * get_stderr_1() const { return ___stderr_1; } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 ** get_address_of_stderr_1() { return &___stderr_1; } inline void set_stderr_1(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * value) { ___stderr_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___stderr_1), (void*)value); } inline static int32_t get_offset_of_stdin_2() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___stdin_2)); } inline TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * get_stdin_2() const { return ___stdin_2; } inline TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A ** get_address_of_stdin_2() { return &___stdin_2; } inline void set_stdin_2(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * value) { ___stdin_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___stdin_2), (void*)value); } inline static int32_t get_offset_of_inputEncoding_3() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___inputEncoding_3)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_inputEncoding_3() const { return ___inputEncoding_3; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_inputEncoding_3() { return &___inputEncoding_3; } inline void set_inputEncoding_3(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___inputEncoding_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___inputEncoding_3), (void*)value); } inline static int32_t get_offset_of_outputEncoding_4() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___outputEncoding_4)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_outputEncoding_4() const { return ___outputEncoding_4; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_outputEncoding_4() { return &___outputEncoding_4; } inline void set_outputEncoding_4(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___outputEncoding_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___outputEncoding_4), (void*)value); } inline static int32_t get_offset_of_cancel_event_5() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___cancel_event_5)); } inline ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * get_cancel_event_5() const { return ___cancel_event_5; } inline ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 ** get_address_of_cancel_event_5() { return &___cancel_event_5; } inline void set_cancel_event_5(ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * value) { ___cancel_event_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___cancel_event_5), (void*)value); } inline static int32_t get_offset_of_cancel_handler_6() { return static_cast<int32_t>(offsetof(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields, ___cancel_handler_6)); } inline InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * get_cancel_handler_6() const { return ___cancel_handler_6; } inline InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A ** get_address_of_cancel_handler_6() { return &___cancel_handler_6; } inline void set_cancel_handler_6(InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * value) { ___cancel_handler_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___cancel_handler_6), (void*)value); } }; // System.Console_WindowsConsole struct WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B : public RuntimeObject { public: public: }; struct WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_StaticFields { public: // System.Boolean System.Console_WindowsConsole::ctrlHandlerAdded bool ___ctrlHandlerAdded_0; // System.Console_WindowsConsole_WindowsCancelHandler System.Console_WindowsConsole::cancelHandler WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * ___cancelHandler_1; public: inline static int32_t get_offset_of_ctrlHandlerAdded_0() { return static_cast<int32_t>(offsetof(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_StaticFields, ___ctrlHandlerAdded_0)); } inline bool get_ctrlHandlerAdded_0() const { return ___ctrlHandlerAdded_0; } inline bool* get_address_of_ctrlHandlerAdded_0() { return &___ctrlHandlerAdded_0; } inline void set_ctrlHandlerAdded_0(bool value) { ___ctrlHandlerAdded_0 = value; } inline static int32_t get_offset_of_cancelHandler_1() { return static_cast<int32_t>(offsetof(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_StaticFields, ___cancelHandler_1)); } inline WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * get_cancelHandler_1() const { return ___cancelHandler_1; } inline WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 ** get_address_of_cancelHandler_1() { return &___cancelHandler_1; } inline void set_cancelHandler_1(WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * value) { ___cancelHandler_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___cancelHandler_1), (void*)value); } }; // System.ConsoleDriver struct ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101 : public RuntimeObject { public: public: }; struct ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields { public: // System.IConsoleDriver System.ConsoleDriver::driver RuntimeObject* ___driver_0; // System.Boolean System.ConsoleDriver::is_console bool ___is_console_1; // System.Boolean System.ConsoleDriver::called_isatty bool ___called_isatty_2; public: inline static int32_t get_offset_of_driver_0() { return static_cast<int32_t>(offsetof(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields, ___driver_0)); } inline RuntimeObject* get_driver_0() const { return ___driver_0; } inline RuntimeObject** get_address_of_driver_0() { return &___driver_0; } inline void set_driver_0(RuntimeObject* value) { ___driver_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___driver_0), (void*)value); } inline static int32_t get_offset_of_is_console_1() { return static_cast<int32_t>(offsetof(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields, ___is_console_1)); } inline bool get_is_console_1() const { return ___is_console_1; } inline bool* get_address_of_is_console_1() { return &___is_console_1; } inline void set_is_console_1(bool value) { ___is_console_1 = value; } inline static int32_t get_offset_of_called_isatty_2() { return static_cast<int32_t>(offsetof(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields, ___called_isatty_2)); } inline bool get_called_isatty_2() const { return ___called_isatty_2; } inline bool* get_address_of_called_isatty_2() { return &___called_isatty_2; } inline void set_called_isatty_2(bool value) { ___called_isatty_2 = value; } }; // System.Convert struct Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E : public RuntimeObject { public: public: }; struct Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields { public: // System.RuntimeType[] System.Convert::ConvertTypes RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* ___ConvertTypes_0; // System.RuntimeType System.Convert::EnumType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___EnumType_1; // System.Char[] System.Convert::base64Table CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___base64Table_2; // System.Object System.Convert::DBNull RuntimeObject * ___DBNull_3; public: inline static int32_t get_offset_of_ConvertTypes_0() { return static_cast<int32_t>(offsetof(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields, ___ConvertTypes_0)); } inline RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* get_ConvertTypes_0() const { return ___ConvertTypes_0; } inline RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE** get_address_of_ConvertTypes_0() { return &___ConvertTypes_0; } inline void set_ConvertTypes_0(RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* value) { ___ConvertTypes_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___ConvertTypes_0), (void*)value); } inline static int32_t get_offset_of_EnumType_1() { return static_cast<int32_t>(offsetof(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields, ___EnumType_1)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_EnumType_1() const { return ___EnumType_1; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_EnumType_1() { return &___EnumType_1; } inline void set_EnumType_1(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___EnumType_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___EnumType_1), (void*)value); } inline static int32_t get_offset_of_base64Table_2() { return static_cast<int32_t>(offsetof(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields, ___base64Table_2)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_base64Table_2() const { return ___base64Table_2; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_base64Table_2() { return &___base64Table_2; } inline void set_base64Table_2(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___base64Table_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___base64Table_2), (void*)value); } inline static int32_t get_offset_of_DBNull_3() { return static_cast<int32_t>(offsetof(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields, ___DBNull_3)); } inline RuntimeObject * get_DBNull_3() const { return ___DBNull_3; } inline RuntimeObject ** get_address_of_DBNull_3() { return &___DBNull_3; } inline void set_DBNull_3(RuntimeObject * value) { ___DBNull_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___DBNull_3), (void*)value); } }; // System.DBNull struct DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 : public RuntimeObject { public: public: }; struct DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_StaticFields { public: // System.DBNull System.DBNull::Value DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * ___Value_0; public: inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_StaticFields, ___Value_0)); } inline DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * get_Value_0() const { return ___Value_0; } inline DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 ** get_address_of_Value_0() { return &___Value_0; } inline void set_Value_0(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * value) { ___Value_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value); } }; // System.EmptyArray`1<System.Object> struct EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26 : public RuntimeObject { public: public: }; struct EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields { public: // T[] System.EmptyArray`1::Value ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___Value_0; public: inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields, ___Value_0)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_Value_0() const { return ___Value_0; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_Value_0() { return &___Value_0; } inline void set_Value_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___Value_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value); } }; // System.EventArgs struct EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E : public RuntimeObject { public: public: }; struct EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E_StaticFields { public: // System.EventArgs System.EventArgs::Empty EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E * ___Empty_0; public: inline static int32_t get_offset_of_Empty_0() { return static_cast<int32_t>(offsetof(EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E_StaticFields, ___Empty_0)); } inline EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E * get_Empty_0() const { return ___Empty_0; } inline EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E ** get_address_of_Empty_0() { return &___Empty_0; } inline void set_Empty_0(EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E * value) { ___Empty_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___Empty_0), (void*)value); } }; // System.Globalization.Calendar struct Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 : public RuntimeObject { public: // System.Int32 System.Globalization.Calendar::m_currentEraValue int32_t ___m_currentEraValue_38; // System.Boolean System.Globalization.Calendar::m_isReadOnly bool ___m_isReadOnly_39; // System.Int32 System.Globalization.Calendar::twoDigitYearMax int32_t ___twoDigitYearMax_41; public: inline static int32_t get_offset_of_m_currentEraValue_38() { return static_cast<int32_t>(offsetof(Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5, ___m_currentEraValue_38)); } inline int32_t get_m_currentEraValue_38() const { return ___m_currentEraValue_38; } inline int32_t* get_address_of_m_currentEraValue_38() { return &___m_currentEraValue_38; } inline void set_m_currentEraValue_38(int32_t value) { ___m_currentEraValue_38 = value; } inline static int32_t get_offset_of_m_isReadOnly_39() { return static_cast<int32_t>(offsetof(Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5, ___m_isReadOnly_39)); } inline bool get_m_isReadOnly_39() const { return ___m_isReadOnly_39; } inline bool* get_address_of_m_isReadOnly_39() { return &___m_isReadOnly_39; } inline void set_m_isReadOnly_39(bool value) { ___m_isReadOnly_39 = value; } inline static int32_t get_offset_of_twoDigitYearMax_41() { return static_cast<int32_t>(offsetof(Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5, ___twoDigitYearMax_41)); } inline int32_t get_twoDigitYearMax_41() const { return ___twoDigitYearMax_41; } inline int32_t* get_address_of_twoDigitYearMax_41() { return &___twoDigitYearMax_41; } inline void set_twoDigitYearMax_41(int32_t value) { ___twoDigitYearMax_41 = value; } }; // System.Globalization.CultureInfo struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F : public RuntimeObject { public: // System.Boolean System.Globalization.CultureInfo::m_isReadOnly bool ___m_isReadOnly_3; // System.Int32 System.Globalization.CultureInfo::cultureID int32_t ___cultureID_4; // System.Int32 System.Globalization.CultureInfo::parent_lcid int32_t ___parent_lcid_5; // System.Int32 System.Globalization.CultureInfo::datetime_index int32_t ___datetime_index_6; // System.Int32 System.Globalization.CultureInfo::number_index int32_t ___number_index_7; // System.Int32 System.Globalization.CultureInfo::default_calendar_type int32_t ___default_calendar_type_8; // System.Boolean System.Globalization.CultureInfo::m_useUserOverride bool ___m_useUserOverride_9; // System.Globalization.NumberFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::numInfo NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 * ___numInfo_10; // System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::dateTimeInfo DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dateTimeInfo_11; // System.Globalization.TextInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::textInfo TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 * ___textInfo_12; // System.String System.Globalization.CultureInfo::m_name String_t* ___m_name_13; // System.String System.Globalization.CultureInfo::englishname String_t* ___englishname_14; // System.String System.Globalization.CultureInfo::nativename String_t* ___nativename_15; // System.String System.Globalization.CultureInfo::iso3lang String_t* ___iso3lang_16; // System.String System.Globalization.CultureInfo::iso2lang String_t* ___iso2lang_17; // System.String System.Globalization.CultureInfo::win3lang String_t* ___win3lang_18; // System.String System.Globalization.CultureInfo::territory String_t* ___territory_19; // System.String[] System.Globalization.CultureInfo::native_calendar_names StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___native_calendar_names_20; // System.Globalization.CompareInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::compareInfo CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ___compareInfo_21; // System.Void* System.Globalization.CultureInfo::textinfo_data void* ___textinfo_data_22; // System.Int32 System.Globalization.CultureInfo::m_dataItem int32_t ___m_dataItem_23; // System.Globalization.Calendar System.Globalization.CultureInfo::calendar Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * ___calendar_24; // System.Globalization.CultureInfo System.Globalization.CultureInfo::parent_culture CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___parent_culture_25; // System.Boolean System.Globalization.CultureInfo::constructed bool ___constructed_26; // System.Byte[] System.Globalization.CultureInfo::cached_serialized_form ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___cached_serialized_form_27; // System.Globalization.CultureData System.Globalization.CultureInfo::m_cultureData CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * ___m_cultureData_28; // System.Boolean System.Globalization.CultureInfo::m_isInherited bool ___m_isInherited_29; public: inline static int32_t get_offset_of_m_isReadOnly_3() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_isReadOnly_3)); } inline bool get_m_isReadOnly_3() const { return ___m_isReadOnly_3; } inline bool* get_address_of_m_isReadOnly_3() { return &___m_isReadOnly_3; } inline void set_m_isReadOnly_3(bool value) { ___m_isReadOnly_3 = value; } inline static int32_t get_offset_of_cultureID_4() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___cultureID_4)); } inline int32_t get_cultureID_4() const { return ___cultureID_4; } inline int32_t* get_address_of_cultureID_4() { return &___cultureID_4; } inline void set_cultureID_4(int32_t value) { ___cultureID_4 = value; } inline static int32_t get_offset_of_parent_lcid_5() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___parent_lcid_5)); } inline int32_t get_parent_lcid_5() const { return ___parent_lcid_5; } inline int32_t* get_address_of_parent_lcid_5() { return &___parent_lcid_5; } inline void set_parent_lcid_5(int32_t value) { ___parent_lcid_5 = value; } inline static int32_t get_offset_of_datetime_index_6() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___datetime_index_6)); } inline int32_t get_datetime_index_6() const { return ___datetime_index_6; } inline int32_t* get_address_of_datetime_index_6() { return &___datetime_index_6; } inline void set_datetime_index_6(int32_t value) { ___datetime_index_6 = value; } inline static int32_t get_offset_of_number_index_7() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___number_index_7)); } inline int32_t get_number_index_7() const { return ___number_index_7; } inline int32_t* get_address_of_number_index_7() { return &___number_index_7; } inline void set_number_index_7(int32_t value) { ___number_index_7 = value; } inline static int32_t get_offset_of_default_calendar_type_8() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___default_calendar_type_8)); } inline int32_t get_default_calendar_type_8() const { return ___default_calendar_type_8; } inline int32_t* get_address_of_default_calendar_type_8() { return &___default_calendar_type_8; } inline void set_default_calendar_type_8(int32_t value) { ___default_calendar_type_8 = value; } inline static int32_t get_offset_of_m_useUserOverride_9() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_useUserOverride_9)); } inline bool get_m_useUserOverride_9() const { return ___m_useUserOverride_9; } inline bool* get_address_of_m_useUserOverride_9() { return &___m_useUserOverride_9; } inline void set_m_useUserOverride_9(bool value) { ___m_useUserOverride_9 = value; } inline static int32_t get_offset_of_numInfo_10() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___numInfo_10)); } inline NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 * get_numInfo_10() const { return ___numInfo_10; } inline NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 ** get_address_of_numInfo_10() { return &___numInfo_10; } inline void set_numInfo_10(NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 * value) { ___numInfo_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___numInfo_10), (void*)value); } inline static int32_t get_offset_of_dateTimeInfo_11() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___dateTimeInfo_11)); } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * get_dateTimeInfo_11() const { return ___dateTimeInfo_11; } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** get_address_of_dateTimeInfo_11() { return &___dateTimeInfo_11; } inline void set_dateTimeInfo_11(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * value) { ___dateTimeInfo_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___dateTimeInfo_11), (void*)value); } inline static int32_t get_offset_of_textInfo_12() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___textInfo_12)); } inline TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 * get_textInfo_12() const { return ___textInfo_12; } inline TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 ** get_address_of_textInfo_12() { return &___textInfo_12; } inline void set_textInfo_12(TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 * value) { ___textInfo_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___textInfo_12), (void*)value); } inline static int32_t get_offset_of_m_name_13() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_name_13)); } inline String_t* get_m_name_13() const { return ___m_name_13; } inline String_t** get_address_of_m_name_13() { return &___m_name_13; } inline void set_m_name_13(String_t* value) { ___m_name_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_name_13), (void*)value); } inline static int32_t get_offset_of_englishname_14() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___englishname_14)); } inline String_t* get_englishname_14() const { return ___englishname_14; } inline String_t** get_address_of_englishname_14() { return &___englishname_14; } inline void set_englishname_14(String_t* value) { ___englishname_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___englishname_14), (void*)value); } inline static int32_t get_offset_of_nativename_15() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___nativename_15)); } inline String_t* get_nativename_15() const { return ___nativename_15; } inline String_t** get_address_of_nativename_15() { return &___nativename_15; } inline void set_nativename_15(String_t* value) { ___nativename_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___nativename_15), (void*)value); } inline static int32_t get_offset_of_iso3lang_16() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___iso3lang_16)); } inline String_t* get_iso3lang_16() const { return ___iso3lang_16; } inline String_t** get_address_of_iso3lang_16() { return &___iso3lang_16; } inline void set_iso3lang_16(String_t* value) { ___iso3lang_16 = value; Il2CppCodeGenWriteBarrier((void**)(&___iso3lang_16), (void*)value); } inline static int32_t get_offset_of_iso2lang_17() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___iso2lang_17)); } inline String_t* get_iso2lang_17() const { return ___iso2lang_17; } inline String_t** get_address_of_iso2lang_17() { return &___iso2lang_17; } inline void set_iso2lang_17(String_t* value) { ___iso2lang_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___iso2lang_17), (void*)value); } inline static int32_t get_offset_of_win3lang_18() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___win3lang_18)); } inline String_t* get_win3lang_18() const { return ___win3lang_18; } inline String_t** get_address_of_win3lang_18() { return &___win3lang_18; } inline void set_win3lang_18(String_t* value) { ___win3lang_18 = value; Il2CppCodeGenWriteBarrier((void**)(&___win3lang_18), (void*)value); } inline static int32_t get_offset_of_territory_19() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___territory_19)); } inline String_t* get_territory_19() const { return ___territory_19; } inline String_t** get_address_of_territory_19() { return &___territory_19; } inline void set_territory_19(String_t* value) { ___territory_19 = value; Il2CppCodeGenWriteBarrier((void**)(&___territory_19), (void*)value); } inline static int32_t get_offset_of_native_calendar_names_20() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___native_calendar_names_20)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_native_calendar_names_20() const { return ___native_calendar_names_20; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_native_calendar_names_20() { return &___native_calendar_names_20; } inline void set_native_calendar_names_20(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___native_calendar_names_20 = value; Il2CppCodeGenWriteBarrier((void**)(&___native_calendar_names_20), (void*)value); } inline static int32_t get_offset_of_compareInfo_21() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___compareInfo_21)); } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * get_compareInfo_21() const { return ___compareInfo_21; } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 ** get_address_of_compareInfo_21() { return &___compareInfo_21; } inline void set_compareInfo_21(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * value) { ___compareInfo_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___compareInfo_21), (void*)value); } inline static int32_t get_offset_of_textinfo_data_22() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___textinfo_data_22)); } inline void* get_textinfo_data_22() const { return ___textinfo_data_22; } inline void** get_address_of_textinfo_data_22() { return &___textinfo_data_22; } inline void set_textinfo_data_22(void* value) { ___textinfo_data_22 = value; } inline static int32_t get_offset_of_m_dataItem_23() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_dataItem_23)); } inline int32_t get_m_dataItem_23() const { return ___m_dataItem_23; } inline int32_t* get_address_of_m_dataItem_23() { return &___m_dataItem_23; } inline void set_m_dataItem_23(int32_t value) { ___m_dataItem_23 = value; } inline static int32_t get_offset_of_calendar_24() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___calendar_24)); } inline Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * get_calendar_24() const { return ___calendar_24; } inline Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 ** get_address_of_calendar_24() { return &___calendar_24; } inline void set_calendar_24(Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * value) { ___calendar_24 = value; Il2CppCodeGenWriteBarrier((void**)(&___calendar_24), (void*)value); } inline static int32_t get_offset_of_parent_culture_25() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___parent_culture_25)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_parent_culture_25() const { return ___parent_culture_25; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_parent_culture_25() { return &___parent_culture_25; } inline void set_parent_culture_25(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___parent_culture_25 = value; Il2CppCodeGenWriteBarrier((void**)(&___parent_culture_25), (void*)value); } inline static int32_t get_offset_of_constructed_26() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___constructed_26)); } inline bool get_constructed_26() const { return ___constructed_26; } inline bool* get_address_of_constructed_26() { return &___constructed_26; } inline void set_constructed_26(bool value) { ___constructed_26 = value; } inline static int32_t get_offset_of_cached_serialized_form_27() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___cached_serialized_form_27)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_cached_serialized_form_27() const { return ___cached_serialized_form_27; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_cached_serialized_form_27() { return &___cached_serialized_form_27; } inline void set_cached_serialized_form_27(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___cached_serialized_form_27 = value; Il2CppCodeGenWriteBarrier((void**)(&___cached_serialized_form_27), (void*)value); } inline static int32_t get_offset_of_m_cultureData_28() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_cultureData_28)); } inline CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * get_m_cultureData_28() const { return ___m_cultureData_28; } inline CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD ** get_address_of_m_cultureData_28() { return &___m_cultureData_28; } inline void set_m_cultureData_28(CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * value) { ___m_cultureData_28 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_cultureData_28), (void*)value); } inline static int32_t get_offset_of_m_isInherited_29() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F, ___m_isInherited_29)); } inline bool get_m_isInherited_29() const { return ___m_isInherited_29; } inline bool* get_address_of_m_isInherited_29() { return &___m_isInherited_29; } inline void set_m_isInherited_29(bool value) { ___m_isInherited_29 = value; } }; struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields { public: // System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::invariant_culture_info CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___invariant_culture_info_0; // System.Object System.Globalization.CultureInfo::shared_table_lock RuntimeObject * ___shared_table_lock_1; // System.Globalization.CultureInfo System.Globalization.CultureInfo::default_current_culture CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___default_current_culture_2; // System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::s_DefaultThreadCurrentUICulture CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___s_DefaultThreadCurrentUICulture_33; // System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::s_DefaultThreadCurrentCulture CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___s_DefaultThreadCurrentCulture_34; // System.Collections.Generic.Dictionary`2<System.Int32,System.Globalization.CultureInfo> System.Globalization.CultureInfo::shared_by_number Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B * ___shared_by_number_35; // System.Collections.Generic.Dictionary`2<System.String,System.Globalization.CultureInfo> System.Globalization.CultureInfo::shared_by_name Dictionary_2_tBA5388DBB42BF620266F9A48E8B859BBBB224E25 * ___shared_by_name_36; // System.Boolean System.Globalization.CultureInfo::IsTaiwanSku bool ___IsTaiwanSku_37; public: inline static int32_t get_offset_of_invariant_culture_info_0() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___invariant_culture_info_0)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_invariant_culture_info_0() const { return ___invariant_culture_info_0; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_invariant_culture_info_0() { return &___invariant_culture_info_0; } inline void set_invariant_culture_info_0(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___invariant_culture_info_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___invariant_culture_info_0), (void*)value); } inline static int32_t get_offset_of_shared_table_lock_1() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___shared_table_lock_1)); } inline RuntimeObject * get_shared_table_lock_1() const { return ___shared_table_lock_1; } inline RuntimeObject ** get_address_of_shared_table_lock_1() { return &___shared_table_lock_1; } inline void set_shared_table_lock_1(RuntimeObject * value) { ___shared_table_lock_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___shared_table_lock_1), (void*)value); } inline static int32_t get_offset_of_default_current_culture_2() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___default_current_culture_2)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_default_current_culture_2() const { return ___default_current_culture_2; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_default_current_culture_2() { return &___default_current_culture_2; } inline void set_default_current_culture_2(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___default_current_culture_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___default_current_culture_2), (void*)value); } inline static int32_t get_offset_of_s_DefaultThreadCurrentUICulture_33() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___s_DefaultThreadCurrentUICulture_33)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_s_DefaultThreadCurrentUICulture_33() const { return ___s_DefaultThreadCurrentUICulture_33; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_s_DefaultThreadCurrentUICulture_33() { return &___s_DefaultThreadCurrentUICulture_33; } inline void set_s_DefaultThreadCurrentUICulture_33(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___s_DefaultThreadCurrentUICulture_33 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultThreadCurrentUICulture_33), (void*)value); } inline static int32_t get_offset_of_s_DefaultThreadCurrentCulture_34() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___s_DefaultThreadCurrentCulture_34)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_s_DefaultThreadCurrentCulture_34() const { return ___s_DefaultThreadCurrentCulture_34; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_s_DefaultThreadCurrentCulture_34() { return &___s_DefaultThreadCurrentCulture_34; } inline void set_s_DefaultThreadCurrentCulture_34(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___s_DefaultThreadCurrentCulture_34 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultThreadCurrentCulture_34), (void*)value); } inline static int32_t get_offset_of_shared_by_number_35() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___shared_by_number_35)); } inline Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B * get_shared_by_number_35() const { return ___shared_by_number_35; } inline Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B ** get_address_of_shared_by_number_35() { return &___shared_by_number_35; } inline void set_shared_by_number_35(Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B * value) { ___shared_by_number_35 = value; Il2CppCodeGenWriteBarrier((void**)(&___shared_by_number_35), (void*)value); } inline static int32_t get_offset_of_shared_by_name_36() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___shared_by_name_36)); } inline Dictionary_2_tBA5388DBB42BF620266F9A48E8B859BBBB224E25 * get_shared_by_name_36() const { return ___shared_by_name_36; } inline Dictionary_2_tBA5388DBB42BF620266F9A48E8B859BBBB224E25 ** get_address_of_shared_by_name_36() { return &___shared_by_name_36; } inline void set_shared_by_name_36(Dictionary_2_tBA5388DBB42BF620266F9A48E8B859BBBB224E25 * value) { ___shared_by_name_36 = value; Il2CppCodeGenWriteBarrier((void**)(&___shared_by_name_36), (void*)value); } inline static int32_t get_offset_of_IsTaiwanSku_37() { return static_cast<int32_t>(offsetof(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_StaticFields, ___IsTaiwanSku_37)); } inline bool get_IsTaiwanSku_37() const { return ___IsTaiwanSku_37; } inline bool* get_address_of_IsTaiwanSku_37() { return &___IsTaiwanSku_37; } inline void set_IsTaiwanSku_37(bool value) { ___IsTaiwanSku_37 = value; } }; // Native definition for P/Invoke marshalling of System.Globalization.CultureInfo struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_pinvoke { int32_t ___m_isReadOnly_3; int32_t ___cultureID_4; int32_t ___parent_lcid_5; int32_t ___datetime_index_6; int32_t ___number_index_7; int32_t ___default_calendar_type_8; int32_t ___m_useUserOverride_9; NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 * ___numInfo_10; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dateTimeInfo_11; TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 * ___textInfo_12; char* ___m_name_13; char* ___englishname_14; char* ___nativename_15; char* ___iso3lang_16; char* ___iso2lang_17; char* ___win3lang_18; char* ___territory_19; char** ___native_calendar_names_20; CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ___compareInfo_21; void* ___textinfo_data_22; int32_t ___m_dataItem_23; Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * ___calendar_24; CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_pinvoke* ___parent_culture_25; int32_t ___constructed_26; Il2CppSafeArray/*NONE*/* ___cached_serialized_form_27; CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD_marshaled_pinvoke* ___m_cultureData_28; int32_t ___m_isInherited_29; }; // Native definition for COM marshalling of System.Globalization.CultureInfo struct CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_com { int32_t ___m_isReadOnly_3; int32_t ___cultureID_4; int32_t ___parent_lcid_5; int32_t ___datetime_index_6; int32_t ___number_index_7; int32_t ___default_calendar_type_8; int32_t ___m_useUserOverride_9; NumberFormatInfo_tFDF57037EBC5BC833D0A53EF0327B805994860A8 * ___numInfo_10; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dateTimeInfo_11; TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8 * ___textInfo_12; Il2CppChar* ___m_name_13; Il2CppChar* ___englishname_14; Il2CppChar* ___nativename_15; Il2CppChar* ___iso3lang_16; Il2CppChar* ___iso2lang_17; Il2CppChar* ___win3lang_18; Il2CppChar* ___territory_19; Il2CppChar** ___native_calendar_names_20; CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ___compareInfo_21; void* ___textinfo_data_22; int32_t ___m_dataItem_23; Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * ___calendar_24; CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_marshaled_com* ___parent_culture_25; int32_t ___constructed_26; Il2CppSafeArray/*NONE*/* ___cached_serialized_form_27; CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD_marshaled_com* ___m_cultureData_28; int32_t ___m_isInherited_29; }; // System.MarshalByRefObject struct MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF : public RuntimeObject { public: // System.Object System.MarshalByRefObject::_identity RuntimeObject * ____identity_0; public: inline static int32_t get_offset_of__identity_0() { return static_cast<int32_t>(offsetof(MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF, ____identity_0)); } inline RuntimeObject * get__identity_0() const { return ____identity_0; } inline RuntimeObject ** get_address_of__identity_0() { return &____identity_0; } inline void set__identity_0(RuntimeObject * value) { ____identity_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____identity_0), (void*)value); } }; // Native definition for P/Invoke marshalling of System.MarshalByRefObject struct MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_pinvoke { Il2CppIUnknown* ____identity_0; }; // Native definition for COM marshalling of System.MarshalByRefObject struct MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_com { Il2CppIUnknown* ____identity_0; }; // System.Reflection.MemberInfo struct MemberInfo_t : public RuntimeObject { public: public: }; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 : public RuntimeObject { public: // System.String[] System.Runtime.Serialization.SerializationInfo::m_members StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_members_3; // System.Object[] System.Runtime.Serialization.SerializationInfo::m_data ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___m_data_4; // System.Type[] System.Runtime.Serialization.SerializationInfo::m_types TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___m_types_5; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Runtime.Serialization.SerializationInfo::m_nameToIndex Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * ___m_nameToIndex_6; // System.Int32 System.Runtime.Serialization.SerializationInfo::m_currMember int32_t ___m_currMember_7; // System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.SerializationInfo::m_converter RuntimeObject* ___m_converter_8; // System.String System.Runtime.Serialization.SerializationInfo::m_fullTypeName String_t* ___m_fullTypeName_9; // System.String System.Runtime.Serialization.SerializationInfo::m_assemName String_t* ___m_assemName_10; // System.Type System.Runtime.Serialization.SerializationInfo::objectType Type_t * ___objectType_11; // System.Boolean System.Runtime.Serialization.SerializationInfo::isFullTypeNameSetExplicit bool ___isFullTypeNameSetExplicit_12; // System.Boolean System.Runtime.Serialization.SerializationInfo::isAssemblyNameSetExplicit bool ___isAssemblyNameSetExplicit_13; // System.Boolean System.Runtime.Serialization.SerializationInfo::requireSameTokenInPartialTrust bool ___requireSameTokenInPartialTrust_14; public: inline static int32_t get_offset_of_m_members_3() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_members_3)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_members_3() const { return ___m_members_3; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_members_3() { return &___m_members_3; } inline void set_m_members_3(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_members_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_members_3), (void*)value); } inline static int32_t get_offset_of_m_data_4() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_data_4)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_m_data_4() const { return ___m_data_4; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_m_data_4() { return &___m_data_4; } inline void set_m_data_4(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___m_data_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_data_4), (void*)value); } inline static int32_t get_offset_of_m_types_5() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_types_5)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_m_types_5() const { return ___m_types_5; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_m_types_5() { return &___m_types_5; } inline void set_m_types_5(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___m_types_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_types_5), (void*)value); } inline static int32_t get_offset_of_m_nameToIndex_6() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_nameToIndex_6)); } inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * get_m_nameToIndex_6() const { return ___m_nameToIndex_6; } inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB ** get_address_of_m_nameToIndex_6() { return &___m_nameToIndex_6; } inline void set_m_nameToIndex_6(Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * value) { ___m_nameToIndex_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_nameToIndex_6), (void*)value); } inline static int32_t get_offset_of_m_currMember_7() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_currMember_7)); } inline int32_t get_m_currMember_7() const { return ___m_currMember_7; } inline int32_t* get_address_of_m_currMember_7() { return &___m_currMember_7; } inline void set_m_currMember_7(int32_t value) { ___m_currMember_7 = value; } inline static int32_t get_offset_of_m_converter_8() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_converter_8)); } inline RuntimeObject* get_m_converter_8() const { return ___m_converter_8; } inline RuntimeObject** get_address_of_m_converter_8() { return &___m_converter_8; } inline void set_m_converter_8(RuntimeObject* value) { ___m_converter_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_converter_8), (void*)value); } inline static int32_t get_offset_of_m_fullTypeName_9() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_fullTypeName_9)); } inline String_t* get_m_fullTypeName_9() const { return ___m_fullTypeName_9; } inline String_t** get_address_of_m_fullTypeName_9() { return &___m_fullTypeName_9; } inline void set_m_fullTypeName_9(String_t* value) { ___m_fullTypeName_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_fullTypeName_9), (void*)value); } inline static int32_t get_offset_of_m_assemName_10() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_assemName_10)); } inline String_t* get_m_assemName_10() const { return ___m_assemName_10; } inline String_t** get_address_of_m_assemName_10() { return &___m_assemName_10; } inline void set_m_assemName_10(String_t* value) { ___m_assemName_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_assemName_10), (void*)value); } inline static int32_t get_offset_of_objectType_11() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___objectType_11)); } inline Type_t * get_objectType_11() const { return ___objectType_11; } inline Type_t ** get_address_of_objectType_11() { return &___objectType_11; } inline void set_objectType_11(Type_t * value) { ___objectType_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___objectType_11), (void*)value); } inline static int32_t get_offset_of_isFullTypeNameSetExplicit_12() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isFullTypeNameSetExplicit_12)); } inline bool get_isFullTypeNameSetExplicit_12() const { return ___isFullTypeNameSetExplicit_12; } inline bool* get_address_of_isFullTypeNameSetExplicit_12() { return &___isFullTypeNameSetExplicit_12; } inline void set_isFullTypeNameSetExplicit_12(bool value) { ___isFullTypeNameSetExplicit_12 = value; } inline static int32_t get_offset_of_isAssemblyNameSetExplicit_13() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isAssemblyNameSetExplicit_13)); } inline bool get_isAssemblyNameSetExplicit_13() const { return ___isAssemblyNameSetExplicit_13; } inline bool* get_address_of_isAssemblyNameSetExplicit_13() { return &___isAssemblyNameSetExplicit_13; } inline void set_isAssemblyNameSetExplicit_13(bool value) { ___isAssemblyNameSetExplicit_13 = value; } inline static int32_t get_offset_of_requireSameTokenInPartialTrust_14() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___requireSameTokenInPartialTrust_14)); } inline bool get_requireSameTokenInPartialTrust_14() const { return ___requireSameTokenInPartialTrust_14; } inline bool* get_address_of_requireSameTokenInPartialTrust_14() { return &___requireSameTokenInPartialTrust_14; } inline void set_requireSameTokenInPartialTrust_14(bool value) { ___requireSameTokenInPartialTrust_14 = value; } }; // System.Runtime.Serialization.SerializationInfoEnumerator struct SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 : public RuntimeObject { public: // System.String[] System.Runtime.Serialization.SerializationInfoEnumerator::m_members StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_members_0; // System.Object[] System.Runtime.Serialization.SerializationInfoEnumerator::m_data ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___m_data_1; // System.Type[] System.Runtime.Serialization.SerializationInfoEnumerator::m_types TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___m_types_2; // System.Int32 System.Runtime.Serialization.SerializationInfoEnumerator::m_numItems int32_t ___m_numItems_3; // System.Int32 System.Runtime.Serialization.SerializationInfoEnumerator::m_currItem int32_t ___m_currItem_4; // System.Boolean System.Runtime.Serialization.SerializationInfoEnumerator::m_current bool ___m_current_5; public: inline static int32_t get_offset_of_m_members_0() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_members_0)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_members_0() const { return ___m_members_0; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_members_0() { return &___m_members_0; } inline void set_m_members_0(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_members_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_members_0), (void*)value); } inline static int32_t get_offset_of_m_data_1() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_data_1)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_m_data_1() const { return ___m_data_1; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_m_data_1() { return &___m_data_1; } inline void set_m_data_1(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___m_data_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_data_1), (void*)value); } inline static int32_t get_offset_of_m_types_2() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_types_2)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_m_types_2() const { return ___m_types_2; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_m_types_2() { return &___m_types_2; } inline void set_m_types_2(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___m_types_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_types_2), (void*)value); } inline static int32_t get_offset_of_m_numItems_3() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_numItems_3)); } inline int32_t get_m_numItems_3() const { return ___m_numItems_3; } inline int32_t* get_address_of_m_numItems_3() { return &___m_numItems_3; } inline void set_m_numItems_3(int32_t value) { ___m_numItems_3 = value; } inline static int32_t get_offset_of_m_currItem_4() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_currItem_4)); } inline int32_t get_m_currItem_4() const { return ___m_currItem_4; } inline int32_t* get_address_of_m_currItem_4() { return &___m_currItem_4; } inline void set_m_currItem_4(int32_t value) { ___m_currItem_4 = value; } inline static int32_t get_offset_of_m_current_5() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5, ___m_current_5)); } inline bool get_m_current_5() const { return ___m_current_5; } inline bool* get_address_of_m_current_5() { return &___m_current_5; } inline void set_m_current_5(bool value) { ___m_current_5 = 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.StringComparer struct StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE : public RuntimeObject { public: public: }; struct StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_StaticFields { public: // System.StringComparer System.StringComparer::_invariantCulture StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * ____invariantCulture_0; // System.StringComparer System.StringComparer::_invariantCultureIgnoreCase StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * ____invariantCultureIgnoreCase_1; // System.StringComparer System.StringComparer::_ordinal StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * ____ordinal_2; // System.StringComparer System.StringComparer::_ordinalIgnoreCase StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * ____ordinalIgnoreCase_3; public: inline static int32_t get_offset_of__invariantCulture_0() { return static_cast<int32_t>(offsetof(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_StaticFields, ____invariantCulture_0)); } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * get__invariantCulture_0() const { return ____invariantCulture_0; } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE ** get_address_of__invariantCulture_0() { return &____invariantCulture_0; } inline void set__invariantCulture_0(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * value) { ____invariantCulture_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____invariantCulture_0), (void*)value); } inline static int32_t get_offset_of__invariantCultureIgnoreCase_1() { return static_cast<int32_t>(offsetof(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_StaticFields, ____invariantCultureIgnoreCase_1)); } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * get__invariantCultureIgnoreCase_1() const { return ____invariantCultureIgnoreCase_1; } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE ** get_address_of__invariantCultureIgnoreCase_1() { return &____invariantCultureIgnoreCase_1; } inline void set__invariantCultureIgnoreCase_1(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * value) { ____invariantCultureIgnoreCase_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____invariantCultureIgnoreCase_1), (void*)value); } inline static int32_t get_offset_of__ordinal_2() { return static_cast<int32_t>(offsetof(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_StaticFields, ____ordinal_2)); } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * get__ordinal_2() const { return ____ordinal_2; } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE ** get_address_of__ordinal_2() { return &____ordinal_2; } inline void set__ordinal_2(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * value) { ____ordinal_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____ordinal_2), (void*)value); } inline static int32_t get_offset_of__ordinalIgnoreCase_3() { return static_cast<int32_t>(offsetof(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_StaticFields, ____ordinalIgnoreCase_3)); } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * get__ordinalIgnoreCase_3() const { return ____ordinalIgnoreCase_3; } inline StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE ** get_address_of__ordinalIgnoreCase_3() { return &____ordinalIgnoreCase_3; } inline void set__ordinalIgnoreCase_3(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * value) { ____ordinalIgnoreCase_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____ordinalIgnoreCase_3), (void*)value); } }; // System.Text.Encoding struct Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 : public RuntimeObject { public: // System.Int32 System.Text.Encoding::m_codePage int32_t ___m_codePage_9; // System.Globalization.CodePageDataItem System.Text.Encoding::dataItem CodePageDataItem_t6E34BEE9CCCBB35C88D714664633AF6E5F5671FB * ___dataItem_10; // System.Boolean System.Text.Encoding::m_deserializedFromEverett bool ___m_deserializedFromEverett_11; // System.Boolean System.Text.Encoding::m_isReadOnly bool ___m_isReadOnly_12; // System.Text.EncoderFallback System.Text.Encoding::encoderFallback EncoderFallback_tDE342346D01608628F1BCEBB652D31009852CF63 * ___encoderFallback_13; // System.Text.DecoderFallback System.Text.Encoding::decoderFallback DecoderFallback_t128445EB7676870485230893338EF044F6B72F60 * ___decoderFallback_14; public: inline static int32_t get_offset_of_m_codePage_9() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___m_codePage_9)); } inline int32_t get_m_codePage_9() const { return ___m_codePage_9; } inline int32_t* get_address_of_m_codePage_9() { return &___m_codePage_9; } inline void set_m_codePage_9(int32_t value) { ___m_codePage_9 = value; } inline static int32_t get_offset_of_dataItem_10() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___dataItem_10)); } inline CodePageDataItem_t6E34BEE9CCCBB35C88D714664633AF6E5F5671FB * get_dataItem_10() const { return ___dataItem_10; } inline CodePageDataItem_t6E34BEE9CCCBB35C88D714664633AF6E5F5671FB ** get_address_of_dataItem_10() { return &___dataItem_10; } inline void set_dataItem_10(CodePageDataItem_t6E34BEE9CCCBB35C88D714664633AF6E5F5671FB * value) { ___dataItem_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___dataItem_10), (void*)value); } inline static int32_t get_offset_of_m_deserializedFromEverett_11() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___m_deserializedFromEverett_11)); } inline bool get_m_deserializedFromEverett_11() const { return ___m_deserializedFromEverett_11; } inline bool* get_address_of_m_deserializedFromEverett_11() { return &___m_deserializedFromEverett_11; } inline void set_m_deserializedFromEverett_11(bool value) { ___m_deserializedFromEverett_11 = value; } inline static int32_t get_offset_of_m_isReadOnly_12() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___m_isReadOnly_12)); } inline bool get_m_isReadOnly_12() const { return ___m_isReadOnly_12; } inline bool* get_address_of_m_isReadOnly_12() { return &___m_isReadOnly_12; } inline void set_m_isReadOnly_12(bool value) { ___m_isReadOnly_12 = value; } inline static int32_t get_offset_of_encoderFallback_13() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___encoderFallback_13)); } inline EncoderFallback_tDE342346D01608628F1BCEBB652D31009852CF63 * get_encoderFallback_13() const { return ___encoderFallback_13; } inline EncoderFallback_tDE342346D01608628F1BCEBB652D31009852CF63 ** get_address_of_encoderFallback_13() { return &___encoderFallback_13; } inline void set_encoderFallback_13(EncoderFallback_tDE342346D01608628F1BCEBB652D31009852CF63 * value) { ___encoderFallback_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___encoderFallback_13), (void*)value); } inline static int32_t get_offset_of_decoderFallback_14() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4, ___decoderFallback_14)); } inline DecoderFallback_t128445EB7676870485230893338EF044F6B72F60 * get_decoderFallback_14() const { return ___decoderFallback_14; } inline DecoderFallback_t128445EB7676870485230893338EF044F6B72F60 ** get_address_of_decoderFallback_14() { return &___decoderFallback_14; } inline void set_decoderFallback_14(DecoderFallback_t128445EB7676870485230893338EF044F6B72F60 * value) { ___decoderFallback_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___decoderFallback_14), (void*)value); } }; struct Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields { public: // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::defaultEncoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___defaultEncoding_0; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::unicodeEncoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___unicodeEncoding_1; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::bigEndianUnicode Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___bigEndianUnicode_2; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf7Encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___utf7Encoding_3; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf8Encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___utf8Encoding_4; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf32Encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___utf32Encoding_5; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::asciiEncoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___asciiEncoding_6; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::latin1Encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___latin1Encoding_7; // System.Collections.Hashtable modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::encodings Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___encodings_8; // System.Object System.Text.Encoding::s_InternalSyncObject RuntimeObject * ___s_InternalSyncObject_15; public: inline static int32_t get_offset_of_defaultEncoding_0() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___defaultEncoding_0)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_defaultEncoding_0() const { return ___defaultEncoding_0; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_defaultEncoding_0() { return &___defaultEncoding_0; } inline void set_defaultEncoding_0(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___defaultEncoding_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultEncoding_0), (void*)value); } inline static int32_t get_offset_of_unicodeEncoding_1() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___unicodeEncoding_1)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_unicodeEncoding_1() const { return ___unicodeEncoding_1; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_unicodeEncoding_1() { return &___unicodeEncoding_1; } inline void set_unicodeEncoding_1(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___unicodeEncoding_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___unicodeEncoding_1), (void*)value); } inline static int32_t get_offset_of_bigEndianUnicode_2() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___bigEndianUnicode_2)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_bigEndianUnicode_2() const { return ___bigEndianUnicode_2; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_bigEndianUnicode_2() { return &___bigEndianUnicode_2; } inline void set_bigEndianUnicode_2(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___bigEndianUnicode_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___bigEndianUnicode_2), (void*)value); } inline static int32_t get_offset_of_utf7Encoding_3() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___utf7Encoding_3)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_utf7Encoding_3() const { return ___utf7Encoding_3; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_utf7Encoding_3() { return &___utf7Encoding_3; } inline void set_utf7Encoding_3(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___utf7Encoding_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___utf7Encoding_3), (void*)value); } inline static int32_t get_offset_of_utf8Encoding_4() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___utf8Encoding_4)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_utf8Encoding_4() const { return ___utf8Encoding_4; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_utf8Encoding_4() { return &___utf8Encoding_4; } inline void set_utf8Encoding_4(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___utf8Encoding_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___utf8Encoding_4), (void*)value); } inline static int32_t get_offset_of_utf32Encoding_5() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___utf32Encoding_5)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_utf32Encoding_5() const { return ___utf32Encoding_5; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_utf32Encoding_5() { return &___utf32Encoding_5; } inline void set_utf32Encoding_5(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___utf32Encoding_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___utf32Encoding_5), (void*)value); } inline static int32_t get_offset_of_asciiEncoding_6() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___asciiEncoding_6)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_asciiEncoding_6() const { return ___asciiEncoding_6; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_asciiEncoding_6() { return &___asciiEncoding_6; } inline void set_asciiEncoding_6(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___asciiEncoding_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___asciiEncoding_6), (void*)value); } inline static int32_t get_offset_of_latin1Encoding_7() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___latin1Encoding_7)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_latin1Encoding_7() const { return ___latin1Encoding_7; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_latin1Encoding_7() { return &___latin1Encoding_7; } inline void set_latin1Encoding_7(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___latin1Encoding_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___latin1Encoding_7), (void*)value); } inline static int32_t get_offset_of_encodings_8() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___encodings_8)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get_encodings_8() const { return ___encodings_8; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of_encodings_8() { return &___encodings_8; } inline void set_encodings_8(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ___encodings_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___encodings_8), (void*)value); } inline static int32_t get_offset_of_s_InternalSyncObject_15() { return static_cast<int32_t>(offsetof(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4_StaticFields, ___s_InternalSyncObject_15)); } inline RuntimeObject * get_s_InternalSyncObject_15() const { return ___s_InternalSyncObject_15; } inline RuntimeObject ** get_address_of_s_InternalSyncObject_15() { return &___s_InternalSyncObject_15; } inline void set_s_InternalSyncObject_15(RuntimeObject * value) { ___s_InternalSyncObject_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_15), (void*)value); } }; // System.Text.StringBuilder struct StringBuilder_t : public RuntimeObject { public: // System.Char[] System.Text.StringBuilder::m_ChunkChars CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___m_ChunkChars_0; // System.Text.StringBuilder System.Text.StringBuilder::m_ChunkPrevious StringBuilder_t * ___m_ChunkPrevious_1; // System.Int32 System.Text.StringBuilder::m_ChunkLength int32_t ___m_ChunkLength_2; // System.Int32 System.Text.StringBuilder::m_ChunkOffset int32_t ___m_ChunkOffset_3; // System.Int32 System.Text.StringBuilder::m_MaxCapacity int32_t ___m_MaxCapacity_4; public: inline static int32_t get_offset_of_m_ChunkChars_0() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkChars_0)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_m_ChunkChars_0() const { return ___m_ChunkChars_0; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_m_ChunkChars_0() { return &___m_ChunkChars_0; } inline void set_m_ChunkChars_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___m_ChunkChars_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_ChunkChars_0), (void*)value); } inline static int32_t get_offset_of_m_ChunkPrevious_1() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkPrevious_1)); } inline StringBuilder_t * get_m_ChunkPrevious_1() const { return ___m_ChunkPrevious_1; } inline StringBuilder_t ** get_address_of_m_ChunkPrevious_1() { return &___m_ChunkPrevious_1; } inline void set_m_ChunkPrevious_1(StringBuilder_t * value) { ___m_ChunkPrevious_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_ChunkPrevious_1), (void*)value); } inline static int32_t get_offset_of_m_ChunkLength_2() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkLength_2)); } inline int32_t get_m_ChunkLength_2() const { return ___m_ChunkLength_2; } inline int32_t* get_address_of_m_ChunkLength_2() { return &___m_ChunkLength_2; } inline void set_m_ChunkLength_2(int32_t value) { ___m_ChunkLength_2 = value; } inline static int32_t get_offset_of_m_ChunkOffset_3() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkOffset_3)); } inline int32_t get_m_ChunkOffset_3() const { return ___m_ChunkOffset_3; } inline int32_t* get_address_of_m_ChunkOffset_3() { return &___m_ChunkOffset_3; } inline void set_m_ChunkOffset_3(int32_t value) { ___m_ChunkOffset_3 = value; } inline static int32_t get_offset_of_m_MaxCapacity_4() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_MaxCapacity_4)); } inline int32_t get_m_MaxCapacity_4() const { return ___m_MaxCapacity_4; } inline int32_t* get_address_of_m_MaxCapacity_4() { return &___m_MaxCapacity_4; } inline void set_m_MaxCapacity_4(int32_t value) { ___m_MaxCapacity_4 = value; } }; // System.TimeZone struct TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 : public RuntimeObject { public: public: }; struct TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_StaticFields { public: // System.TimeZone System.TimeZone::currentTimeZone TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 * ___currentTimeZone_0; // System.Object System.TimeZone::tz_lock RuntimeObject * ___tz_lock_1; // System.Int64 System.TimeZone::timezone_check int64_t ___timezone_check_2; public: inline static int32_t get_offset_of_currentTimeZone_0() { return static_cast<int32_t>(offsetof(TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_StaticFields, ___currentTimeZone_0)); } inline TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 * get_currentTimeZone_0() const { return ___currentTimeZone_0; } inline TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 ** get_address_of_currentTimeZone_0() { return &___currentTimeZone_0; } inline void set_currentTimeZone_0(TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 * value) { ___currentTimeZone_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___currentTimeZone_0), (void*)value); } inline static int32_t get_offset_of_tz_lock_1() { return static_cast<int32_t>(offsetof(TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_StaticFields, ___tz_lock_1)); } inline RuntimeObject * get_tz_lock_1() const { return ___tz_lock_1; } inline RuntimeObject ** get_address_of_tz_lock_1() { return &___tz_lock_1; } inline void set_tz_lock_1(RuntimeObject * value) { ___tz_lock_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___tz_lock_1), (void*)value); } inline static int32_t get_offset_of_timezone_check_2() { return static_cast<int32_t>(offsetof(TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_StaticFields, ___timezone_check_2)); } inline int64_t get_timezone_check_2() const { return ___timezone_check_2; } inline int64_t* get_address_of_timezone_check_2() { return &___timezone_check_2; } inline void set_timezone_check_2(int64_t value) { ___timezone_check_2 = 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 { }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D10 struct __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C__padding[10]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1018 struct __StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4__padding[1018]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1080 struct __StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84__padding[1080]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D11614 struct __StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5__padding[11614]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 struct __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879__padding[12]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D120 struct __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252__padding[120]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1208 struct __StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD__padding[1208]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D128 struct __StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1__padding[128]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D130 struct __StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F__padding[130]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D14 struct __StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05__padding[14]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1450 struct __StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4__padding[1450]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 struct __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341__padding[16]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D162 struct __StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA__padding[162]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1665 struct __StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20__padding[1665]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D174 struct __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F__padding[174]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D20 struct __StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63__padding[20]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2048 struct __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02__padding[2048]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2100 struct __StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA__padding[2100]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D212 struct __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF__padding[212]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D21252 struct __StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462__padding[21252]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2350 struct __StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D__padding[2350]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2382 struct __StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA__padding[2382]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D24 struct __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123__padding[24]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D240 struct __StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8__padding[240]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 struct __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F__padding[256]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D262 struct __StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7__padding[262]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D288 struct __StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55__padding[288]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 struct __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E__padding[3]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3132 struct __StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333__padding[3132]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D32 struct __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472__padding[32]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D320 struct __StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49__padding[320]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D36 struct __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17__padding[36]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D360 struct __StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7__padding[360]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D38 struct __StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D__padding[38]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 struct __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04__padding[40]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D4096 struct __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23__padding[4096]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D42 struct __StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4__padding[42]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D44 struct __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F__padding[44]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D48 struct __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A__padding[48]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D52 struct __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A__padding[52]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D56 struct __StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10__padding[56]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D6 struct __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78__padding[6]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 struct __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6__padding[64]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D640 struct __StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910__padding[640]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 struct __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1__padding[72]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D76 struct __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB__padding[76]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D84 struct __StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A__padding[84]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D9 struct __StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928__padding[9]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D94 struct __StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6 { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6__padding[94]; }; public: }; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D998 struct __StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C { public: union { struct { union { }; }; uint8_t __StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C__padding[998]; }; public: }; // 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.Char struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9 { public: // System.Char System.Char::m_value Il2CppChar ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9, ___m_value_0)); } inline Il2CppChar get_m_value_0() const { return ___m_value_0; } inline Il2CppChar* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(Il2CppChar value) { ___m_value_0 = value; } }; struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields { public: // System.Byte[] System.Char::categoryForLatin1 ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___categoryForLatin1_3; public: inline static int32_t get_offset_of_categoryForLatin1_3() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields, ___categoryForLatin1_3)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_categoryForLatin1_3() const { return ___categoryForLatin1_3; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_categoryForLatin1_3() { return &___categoryForLatin1_3; } inline void set_categoryForLatin1_3(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___categoryForLatin1_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___categoryForLatin1_3), (void*)value); } }; // System.Collections.DictionaryEntry struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 { public: // System.Object System.Collections.DictionaryEntry::_key RuntimeObject * ____key_0; // System.Object System.Collections.DictionaryEntry::_value RuntimeObject * ____value_1; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4, ____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(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4, ____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); } }; // Native definition for P/Invoke marshalling of System.Collections.DictionaryEntry struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_marshaled_pinvoke { Il2CppIUnknown* ____key_0; Il2CppIUnknown* ____value_1; }; // Native definition for COM marshalling of System.Collections.DictionaryEntry struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_marshaled_com { Il2CppIUnknown* ____key_0; Il2CppIUnknown* ____value_1; }; // 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.Collections.SortedList_SyncSortedList struct SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 : public SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E { public: // System.Collections.SortedList System.Collections.SortedList_SyncSortedList::_list SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ____list_9; // System.Object System.Collections.SortedList_SyncSortedList::_root RuntimeObject * ____root_10; public: inline static int32_t get_offset_of__list_9() { return static_cast<int32_t>(offsetof(SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78, ____list_9)); } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * get__list_9() const { return ____list_9; } inline SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E ** get_address_of__list_9() { return &____list_9; } inline void set__list_9(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * value) { ____list_9 = value; Il2CppCodeGenWriteBarrier((void**)(&____list_9), (void*)value); } inline static int32_t get_offset_of__root_10() { return static_cast<int32_t>(offsetof(SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78, ____root_10)); } inline RuntimeObject * get__root_10() const { return ____root_10; } inline RuntimeObject ** get_address_of__root_10() { return &____root_10; } inline void set__root_10(RuntimeObject * value) { ____root_10 = value; Il2CppCodeGenWriteBarrier((void**)(&____root_10), (void*)value); } }; // System.ContextBoundObject struct ContextBoundObject_tB24722752964E8FCEB9E1E4F6707FA88DFA0DFF0 : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF { public: public: }; // System.ContextStaticAttribute struct ContextStaticAttribute_tDE78CF42C2CA6949E7E99D3E63D35003A0660AA6 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 { public: public: }; // System.Coord struct Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A { public: // System.Int16 System.Coord::X int16_t ___X_0; // System.Int16 System.Coord::Y int16_t ___Y_1; public: inline static int32_t get_offset_of_X_0() { return static_cast<int32_t>(offsetof(Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A, ___X_0)); } inline int16_t get_X_0() const { return ___X_0; } inline int16_t* get_address_of_X_0() { return &___X_0; } inline void set_X_0(int16_t value) { ___X_0 = value; } inline static int32_t get_offset_of_Y_1() { return static_cast<int32_t>(offsetof(Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A, ___Y_1)); } inline int16_t get_Y_1() const { return ___Y_1; } inline int16_t* get_address_of_Y_1() { return &___Y_1; } inline void set_Y_1(int16_t value) { ___Y_1 = value; } }; // System.CurrentSystemTimeZone struct CurrentSystemTimeZone_t7689B8BF1C4A474BD3CFA5B8E89FA84A53D44171 : public TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 { public: // System.TimeZoneInfo System.CurrentSystemTimeZone::LocalTimeZone TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * ___LocalTimeZone_3; public: inline static int32_t get_offset_of_LocalTimeZone_3() { return static_cast<int32_t>(offsetof(CurrentSystemTimeZone_t7689B8BF1C4A474BD3CFA5B8E89FA84A53D44171, ___LocalTimeZone_3)); } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * get_LocalTimeZone_3() const { return ___LocalTimeZone_3; } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 ** get_address_of_LocalTimeZone_3() { return &___LocalTimeZone_3; } inline void set_LocalTimeZone_3(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * value) { ___LocalTimeZone_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___LocalTimeZone_3), (void*)value); } }; // System.DateTime struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 { public: // System.UInt64 System.DateTime::dateData uint64_t ___dateData_44; public: inline static int32_t get_offset_of_dateData_44() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132, ___dateData_44)); } inline uint64_t get_dateData_44() const { return ___dateData_44; } inline uint64_t* get_address_of_dateData_44() { return &___dateData_44; } inline void set_dateData_44(uint64_t value) { ___dateData_44 = value; } }; struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields { public: // System.Int32[] System.DateTime::DaysToMonth365 Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth365_29; // System.Int32[] System.DateTime::DaysToMonth366 Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth366_30; // System.DateTime System.DateTime::MinValue DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MinValue_31; // System.DateTime System.DateTime::MaxValue DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MaxValue_32; public: inline static int32_t get_offset_of_DaysToMonth365_29() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth365_29)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth365_29() const { return ___DaysToMonth365_29; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth365_29() { return &___DaysToMonth365_29; } inline void set_DaysToMonth365_29(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___DaysToMonth365_29 = value; Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth365_29), (void*)value); } inline static int32_t get_offset_of_DaysToMonth366_30() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth366_30)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth366_30() const { return ___DaysToMonth366_30; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth366_30() { return &___DaysToMonth366_30; } inline void set_DaysToMonth366_30(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___DaysToMonth366_30 = value; Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth366_30), (void*)value); } inline static int32_t get_offset_of_MinValue_31() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MinValue_31)); } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MinValue_31() const { return ___MinValue_31; } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MinValue_31() { return &___MinValue_31; } inline void set_MinValue_31(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value) { ___MinValue_31 = value; } inline static int32_t get_offset_of_MaxValue_32() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MaxValue_32)); } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MaxValue_32() const { return ___MaxValue_32; } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MaxValue_32() { return &___MaxValue_32; } inline void set_MaxValue_32(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value) { ___MaxValue_32 = value; } }; // System.Decimal struct Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 { public: // System.Int32 System.Decimal::flags int32_t ___flags_14; // System.Int32 System.Decimal::hi int32_t ___hi_15; // System.Int32 System.Decimal::lo int32_t ___lo_16; // System.Int32 System.Decimal::mid int32_t ___mid_17; public: inline static int32_t get_offset_of_flags_14() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___flags_14)); } inline int32_t get_flags_14() const { return ___flags_14; } inline int32_t* get_address_of_flags_14() { return &___flags_14; } inline void set_flags_14(int32_t value) { ___flags_14 = value; } inline static int32_t get_offset_of_hi_15() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___hi_15)); } inline int32_t get_hi_15() const { return ___hi_15; } inline int32_t* get_address_of_hi_15() { return &___hi_15; } inline void set_hi_15(int32_t value) { ___hi_15 = value; } inline static int32_t get_offset_of_lo_16() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___lo_16)); } inline int32_t get_lo_16() const { return ___lo_16; } inline int32_t* get_address_of_lo_16() { return &___lo_16; } inline void set_lo_16(int32_t value) { ___lo_16 = value; } inline static int32_t get_offset_of_mid_17() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___mid_17)); } inline int32_t get_mid_17() const { return ___mid_17; } inline int32_t* get_address_of_mid_17() { return &___mid_17; } inline void set_mid_17(int32_t value) { ___mid_17 = value; } }; struct Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields { public: // System.UInt32[] System.Decimal::Powers10 UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* ___Powers10_6; // System.Decimal System.Decimal::Zero Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___Zero_7; // System.Decimal System.Decimal::One Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___One_8; // System.Decimal System.Decimal::MinusOne Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MinusOne_9; // System.Decimal System.Decimal::MaxValue Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MaxValue_10; // System.Decimal System.Decimal::MinValue Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MinValue_11; // System.Decimal System.Decimal::NearNegativeZero Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___NearNegativeZero_12; // System.Decimal System.Decimal::NearPositiveZero Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___NearPositiveZero_13; public: inline static int32_t get_offset_of_Powers10_6() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___Powers10_6)); } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* get_Powers10_6() const { return ___Powers10_6; } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB** get_address_of_Powers10_6() { return &___Powers10_6; } inline void set_Powers10_6(UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* value) { ___Powers10_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___Powers10_6), (void*)value); } inline static int32_t get_offset_of_Zero_7() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___Zero_7)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_Zero_7() const { return ___Zero_7; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_Zero_7() { return &___Zero_7; } inline void set_Zero_7(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___Zero_7 = value; } inline static int32_t get_offset_of_One_8() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___One_8)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_One_8() const { return ___One_8; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_One_8() { return &___One_8; } inline void set_One_8(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___One_8 = value; } inline static int32_t get_offset_of_MinusOne_9() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MinusOne_9)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MinusOne_9() const { return ___MinusOne_9; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MinusOne_9() { return &___MinusOne_9; } inline void set_MinusOne_9(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___MinusOne_9 = value; } inline static int32_t get_offset_of_MaxValue_10() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MaxValue_10)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MaxValue_10() const { return ___MaxValue_10; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MaxValue_10() { return &___MaxValue_10; } inline void set_MaxValue_10(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___MaxValue_10 = value; } inline static int32_t get_offset_of_MinValue_11() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MinValue_11)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MinValue_11() const { return ___MinValue_11; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MinValue_11() { return &___MinValue_11; } inline void set_MinValue_11(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___MinValue_11 = value; } inline static int32_t get_offset_of_NearNegativeZero_12() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___NearNegativeZero_12)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_NearNegativeZero_12() const { return ___NearNegativeZero_12; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_NearNegativeZero_12() { return &___NearNegativeZero_12; } inline void set_NearNegativeZero_12(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___NearNegativeZero_12 = value; } inline static int32_t get_offset_of_NearPositiveZero_13() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___NearPositiveZero_13)); } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_NearPositiveZero_13() const { return ___NearPositiveZero_13; } inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_NearPositiveZero_13() { return &___NearPositiveZero_13; } inline void set_NearPositiveZero_13(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value) { ___NearPositiveZero_13 = 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.IO.Stream struct Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF { public: // System.IO.Stream_ReadWriteTask System.IO.Stream::_activeReadWriteTask ReadWriteTask_tFA17EEE8BC5C4C83EAEFCC3662A30DE351ABAA80 * ____activeReadWriteTask_2; // System.Threading.SemaphoreSlim System.IO.Stream::_asyncActiveSemaphore SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * ____asyncActiveSemaphore_3; public: inline static int32_t get_offset_of__activeReadWriteTask_2() { return static_cast<int32_t>(offsetof(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7, ____activeReadWriteTask_2)); } inline ReadWriteTask_tFA17EEE8BC5C4C83EAEFCC3662A30DE351ABAA80 * get__activeReadWriteTask_2() const { return ____activeReadWriteTask_2; } inline ReadWriteTask_tFA17EEE8BC5C4C83EAEFCC3662A30DE351ABAA80 ** get_address_of__activeReadWriteTask_2() { return &____activeReadWriteTask_2; } inline void set__activeReadWriteTask_2(ReadWriteTask_tFA17EEE8BC5C4C83EAEFCC3662A30DE351ABAA80 * value) { ____activeReadWriteTask_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____activeReadWriteTask_2), (void*)value); } inline static int32_t get_offset_of__asyncActiveSemaphore_3() { return static_cast<int32_t>(offsetof(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7, ____asyncActiveSemaphore_3)); } inline SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * get__asyncActiveSemaphore_3() const { return ____asyncActiveSemaphore_3; } inline SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 ** get_address_of__asyncActiveSemaphore_3() { return &____asyncActiveSemaphore_3; } inline void set__asyncActiveSemaphore_3(SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * value) { ____asyncActiveSemaphore_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____asyncActiveSemaphore_3), (void*)value); } }; struct Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_StaticFields { public: // System.IO.Stream System.IO.Stream::Null Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___Null_1; public: inline static int32_t get_offset_of_Null_1() { return static_cast<int32_t>(offsetof(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_StaticFields, ___Null_1)); } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * get_Null_1() const { return ___Null_1; } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 ** get_address_of_Null_1() { return &___Null_1; } inline void set_Null_1(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * value) { ___Null_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___Null_1), (void*)value); } }; // System.IO.TextReader struct TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF { public: public: }; struct TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_StaticFields { public: // System.Func`2<System.Object,System.String> System.IO.TextReader::_ReadLineDelegate Func_2_t44B347E67E515867D995E8BD5EFD67FA88CE53CF * ____ReadLineDelegate_1; // System.Func`2<System.Object,System.Int32> System.IO.TextReader::_ReadDelegate Func_2_t8B2DA3FB30280CE3D92F50E9CCAACEE4828789A6 * ____ReadDelegate_2; // System.IO.TextReader System.IO.TextReader::Null TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * ___Null_3; public: inline static int32_t get_offset_of__ReadLineDelegate_1() { return static_cast<int32_t>(offsetof(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_StaticFields, ____ReadLineDelegate_1)); } inline Func_2_t44B347E67E515867D995E8BD5EFD67FA88CE53CF * get__ReadLineDelegate_1() const { return ____ReadLineDelegate_1; } inline Func_2_t44B347E67E515867D995E8BD5EFD67FA88CE53CF ** get_address_of__ReadLineDelegate_1() { return &____ReadLineDelegate_1; } inline void set__ReadLineDelegate_1(Func_2_t44B347E67E515867D995E8BD5EFD67FA88CE53CF * value) { ____ReadLineDelegate_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____ReadLineDelegate_1), (void*)value); } inline static int32_t get_offset_of__ReadDelegate_2() { return static_cast<int32_t>(offsetof(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_StaticFields, ____ReadDelegate_2)); } inline Func_2_t8B2DA3FB30280CE3D92F50E9CCAACEE4828789A6 * get__ReadDelegate_2() const { return ____ReadDelegate_2; } inline Func_2_t8B2DA3FB30280CE3D92F50E9CCAACEE4828789A6 ** get_address_of__ReadDelegate_2() { return &____ReadDelegate_2; } inline void set__ReadDelegate_2(Func_2_t8B2DA3FB30280CE3D92F50E9CCAACEE4828789A6 * value) { ____ReadDelegate_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____ReadDelegate_2), (void*)value); } inline static int32_t get_offset_of_Null_3() { return static_cast<int32_t>(offsetof(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_StaticFields, ___Null_3)); } inline TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * get_Null_3() const { return ___Null_3; } inline TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A ** get_address_of_Null_3() { return &___Null_3; } inline void set_Null_3(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * value) { ___Null_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___Null_3), (void*)value); } }; // System.IO.TextWriter struct TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF { public: // System.Char[] System.IO.TextWriter::CoreNewLine CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___CoreNewLine_9; // System.IFormatProvider System.IO.TextWriter::InternalFormatProvider RuntimeObject* ___InternalFormatProvider_10; public: inline static int32_t get_offset_of_CoreNewLine_9() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0, ___CoreNewLine_9)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_CoreNewLine_9() const { return ___CoreNewLine_9; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_CoreNewLine_9() { return &___CoreNewLine_9; } inline void set_CoreNewLine_9(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___CoreNewLine_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___CoreNewLine_9), (void*)value); } inline static int32_t get_offset_of_InternalFormatProvider_10() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0, ___InternalFormatProvider_10)); } inline RuntimeObject* get_InternalFormatProvider_10() const { return ___InternalFormatProvider_10; } inline RuntimeObject** get_address_of_InternalFormatProvider_10() { return &___InternalFormatProvider_10; } inline void set_InternalFormatProvider_10(RuntimeObject* value) { ___InternalFormatProvider_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___InternalFormatProvider_10), (void*)value); } }; struct TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields { public: // System.IO.TextWriter System.IO.TextWriter::Null TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * ___Null_1; // System.Action`1<System.Object> System.IO.TextWriter::_WriteCharDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteCharDelegate_2; // System.Action`1<System.Object> System.IO.TextWriter::_WriteStringDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteStringDelegate_3; // System.Action`1<System.Object> System.IO.TextWriter::_WriteCharArrayRangeDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteCharArrayRangeDelegate_4; // System.Action`1<System.Object> System.IO.TextWriter::_WriteLineCharDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteLineCharDelegate_5; // System.Action`1<System.Object> System.IO.TextWriter::_WriteLineStringDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteLineStringDelegate_6; // System.Action`1<System.Object> System.IO.TextWriter::_WriteLineCharArrayRangeDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____WriteLineCharArrayRangeDelegate_7; // System.Action`1<System.Object> System.IO.TextWriter::_FlushDelegate Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ____FlushDelegate_8; public: inline static int32_t get_offset_of_Null_1() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ___Null_1)); } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * get_Null_1() const { return ___Null_1; } inline TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 ** get_address_of_Null_1() { return &___Null_1; } inline void set_Null_1(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * value) { ___Null_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___Null_1), (void*)value); } inline static int32_t get_offset_of__WriteCharDelegate_2() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteCharDelegate_2)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteCharDelegate_2() const { return ____WriteCharDelegate_2; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteCharDelegate_2() { return &____WriteCharDelegate_2; } inline void set__WriteCharDelegate_2(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteCharDelegate_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteCharDelegate_2), (void*)value); } inline static int32_t get_offset_of__WriteStringDelegate_3() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteStringDelegate_3)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteStringDelegate_3() const { return ____WriteStringDelegate_3; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteStringDelegate_3() { return &____WriteStringDelegate_3; } inline void set__WriteStringDelegate_3(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteStringDelegate_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteStringDelegate_3), (void*)value); } inline static int32_t get_offset_of__WriteCharArrayRangeDelegate_4() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteCharArrayRangeDelegate_4)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteCharArrayRangeDelegate_4() const { return ____WriteCharArrayRangeDelegate_4; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteCharArrayRangeDelegate_4() { return &____WriteCharArrayRangeDelegate_4; } inline void set__WriteCharArrayRangeDelegate_4(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteCharArrayRangeDelegate_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteCharArrayRangeDelegate_4), (void*)value); } inline static int32_t get_offset_of__WriteLineCharDelegate_5() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteLineCharDelegate_5)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteLineCharDelegate_5() const { return ____WriteLineCharDelegate_5; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteLineCharDelegate_5() { return &____WriteLineCharDelegate_5; } inline void set__WriteLineCharDelegate_5(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteLineCharDelegate_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteLineCharDelegate_5), (void*)value); } inline static int32_t get_offset_of__WriteLineStringDelegate_6() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteLineStringDelegate_6)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteLineStringDelegate_6() const { return ____WriteLineStringDelegate_6; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteLineStringDelegate_6() { return &____WriteLineStringDelegate_6; } inline void set__WriteLineStringDelegate_6(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteLineStringDelegate_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteLineStringDelegate_6), (void*)value); } inline static int32_t get_offset_of__WriteLineCharArrayRangeDelegate_7() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____WriteLineCharArrayRangeDelegate_7)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__WriteLineCharArrayRangeDelegate_7() const { return ____WriteLineCharArrayRangeDelegate_7; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__WriteLineCharArrayRangeDelegate_7() { return &____WriteLineCharArrayRangeDelegate_7; } inline void set__WriteLineCharArrayRangeDelegate_7(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____WriteLineCharArrayRangeDelegate_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____WriteLineCharArrayRangeDelegate_7), (void*)value); } inline static int32_t get_offset_of__FlushDelegate_8() { return static_cast<int32_t>(offsetof(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_StaticFields, ____FlushDelegate_8)); } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get__FlushDelegate_8() const { return ____FlushDelegate_8; } inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of__FlushDelegate_8() { return &____FlushDelegate_8; } inline void set__FlushDelegate_8(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value) { ____FlushDelegate_8 = value; Il2CppCodeGenWriteBarrier((void**)(&____FlushDelegate_8), (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.SByte struct SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF { public: // System.SByte System.SByte::m_value int8_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF, ___m_value_0)); } inline int8_t get_m_value_0() const { return ___m_value_0; } inline int8_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(int8_t value) { ___m_value_0 = value; } }; // 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.SmallRect struct SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532 { public: // System.Int16 System.SmallRect::Left int16_t ___Left_0; // System.Int16 System.SmallRect::Top int16_t ___Top_1; // System.Int16 System.SmallRect::Right int16_t ___Right_2; // System.Int16 System.SmallRect::Bottom int16_t ___Bottom_3; public: inline static int32_t get_offset_of_Left_0() { return static_cast<int32_t>(offsetof(SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532, ___Left_0)); } inline int16_t get_Left_0() const { return ___Left_0; } inline int16_t* get_address_of_Left_0() { return &___Left_0; } inline void set_Left_0(int16_t value) { ___Left_0 = value; } inline static int32_t get_offset_of_Top_1() { return static_cast<int32_t>(offsetof(SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532, ___Top_1)); } inline int16_t get_Top_1() const { return ___Top_1; } inline int16_t* get_address_of_Top_1() { return &___Top_1; } inline void set_Top_1(int16_t value) { ___Top_1 = value; } inline static int32_t get_offset_of_Right_2() { return static_cast<int32_t>(offsetof(SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532, ___Right_2)); } inline int16_t get_Right_2() const { return ___Right_2; } inline int16_t* get_address_of_Right_2() { return &___Right_2; } inline void set_Right_2(int16_t value) { ___Right_2 = value; } inline static int32_t get_offset_of_Bottom_3() { return static_cast<int32_t>(offsetof(SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532, ___Bottom_3)); } inline int16_t get_Bottom_3() const { return ___Bottom_3; } inline int16_t* get_address_of_Bottom_3() { return &___Bottom_3; } inline void set_Bottom_3(int16_t value) { ___Bottom_3 = value; } }; // 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.Void struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017 { public: union { struct { }; uint8_t Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017__padding[1]; }; public: }; // <PrivateImplementationDetails> struct U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A : public RuntimeObject { public: public: }; struct U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields { public: // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::0392525BCB01691D1F319D89F2C12BF93A478467 __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___0392525BCB01691D1F319D89F2C12BF93A478467_0; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::0588059ACBD52F7EA2835882F977A9CF72EB9775 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___0588059ACBD52F7EA2835882F977A9CF72EB9775_1; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D84 <PrivateImplementationDetails>::0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C __StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D240 <PrivateImplementationDetails>::121EC59E23F7559B28D338D562528F6299C2DE22 __StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8 ___121EC59E23F7559B28D338D562528F6299C2DE22_3; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::12D04472A8285260EA12FD3813CDFA9F2D2B548C __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___12D04472A8285260EA12FD3813CDFA9F2D2B548C_4; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::13A35EF1A549297C70E2AD46045BBD2ECA17852D __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___13A35EF1A549297C70E2AD46045BBD2ECA17852D_5; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D24 <PrivateImplementationDetails>::1730F09044E91DB8371B849EFF5E6D17BDE4AED0 __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_6; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::1A84029C80CB5518379F199F53FF08A7B764F8FD __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___1A84029C80CB5518379F199F53FF08A7B764F8FD_7; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D4096 <PrivateImplementationDetails>::1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3 __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 ___1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2048 <PrivateImplementationDetails>::1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5 __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 ___1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::1FE6CE411858B3D864679DE2139FB081F08BFACD __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___1FE6CE411858B3D864679DE2139FB081F08BFACD_10; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::235D99572263B22ADFEE10FDA0C25E12F4D94FFC __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::25420D0055076FA8D3E4DD96BC53AE24DE6E619F __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_12; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1208 <PrivateImplementationDetails>::25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E __StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D42 <PrivateImplementationDetails>::29C1A61550F0E3260E1953D4FAD71C256218EF40 __StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4 ___29C1A61550F0E3260E1953D4FAD71C256218EF40_14; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::2B33BEC8C30DFDC49DAFE20D3BDE19487850D717 __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D36 <PrivateImplementationDetails>::2BA840FF6020B8FF623DBCB7188248CF853FAF4F __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_16; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::2C840AFA48C27B9C05593E468C1232CA1CC74AFD __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_17; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::2D1DA5BB407F0C11C3B5116196C0C6374D932B20 __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_18; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D14 <PrivateImplementationDetails>::2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130 __StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05 ___2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::320B018758ECE3752FFEDBAEB1A6DB67C80B9359 __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::34476C29F6F81C989CFCA42F7C06E84C66236834 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___34476C29F6F81C989CFCA42F7C06E84C66236834_22; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2382 <PrivateImplementationDetails>::35EED060772F2748D13B745DAEC8CD7BD3B87604 __StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA ___35EED060772F2748D13B745DAEC8CD7BD3B87604_23; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D38 <PrivateImplementationDetails>::375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3 __StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1450 <PrivateImplementationDetails>::379C06C9E702D31469C29033F0DD63931EB349F5 __StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4 ___379C06C9E702D31469C29033F0DD63931EB349F5_25; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D10 <PrivateImplementationDetails>::399BD13E240F33F808CA7940293D6EC4E6FD5A00 __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_26; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::39C9CE73C7B0619D409EF28344F687C1B5C130FE __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_27; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D320 <PrivateImplementationDetails>::3C53AFB51FEC23491684C7BEDBC6D4E0F409F851 __StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49 ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::3E3442C7396F3F2BB4C7348F4A2074C7DC677D68 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___3E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::3E823444D2DFECF0F90B436B88F02A533CB376F1 __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___3E823444D2DFECF0F90B436B88F02A533CB376F1_31; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::3FE6C283BCF384FD2C8789880DFF59664E2AB4A1 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1665 <PrivateImplementationDetails>::40981BAA39513E58B28DCF0103CC04DE2A0A0444 __StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20 ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_33; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::40E7C49413D261F3F38AD3A870C0AC69C8BDA048 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_34; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::421EC7E82F2967DF6CA8C3605514DC6F29EE5845 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::433175D38B13FFE177FDD661A309F1B528B3F6E2 __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___433175D38B13FFE177FDD661A309F1B528B3F6E2_36; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D120 <PrivateImplementationDetails>::46232052BC757E030490D851F265FB47FA100902 __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 ___46232052BC757E030490D851F265FB47FA100902_37; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::4858DB4AA76D3933F1CA9E6712D4FDB16903F628 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_38; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D48 <PrivateImplementationDetails>::4E3B533C39447AAEB59A8E48FABD7E15B5B5D195 __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A ___4E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::4F7A8890F332B22B8DE0BD29D36FA7364748D76A __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_40; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::536422B321459B242ADED7240B7447E904E083E3 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___536422B321459B242ADED7240B7447E904E083E3_41; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1080 <PrivateImplementationDetails>::5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3 __StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84 ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D10 <PrivateImplementationDetails>::56DFA5053B3131883637F53219E7D88CCEF35949 __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C ___56DFA5053B3131883637F53219E7D88CCEF35949_43; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::57218C316B6921E2CD61027A2387EDC31A2D9471 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___57218C316B6921E2CD61027A2387EDC31A2D9471_44; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::57F320D62696EC99727E0FE2045A05F1289CC0C6 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___57F320D62696EC99727E0FE2045A05F1289CC0C6_45; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D212 <PrivateImplementationDetails>::594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3 __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D36 <PrivateImplementationDetails>::5BBDF8058D4235C33F2E8DCF76004031B6187A2F __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_47; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D288 <PrivateImplementationDetails>::5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF __StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55 ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::5BFE2819B4778217C56416C7585FF0E56EBACD89 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___5BFE2819B4778217C56416C7585FF0E56EBACD89_49; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D128 <PrivateImplementationDetails>::609C0E8D8DA86A09D6013D301C86BA8782C16B8C __StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1 ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D48 <PrivateImplementationDetails>::62BAB0F245E66C3EB982CF5A7015F0A7C3382283 __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A ___62BAB0F245E66C3EB982CF5A7015F0A7C3382283_51; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2048 <PrivateImplementationDetails>::646036A65DECCD6835C914A46E6E44B729433B60 __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 ___646036A65DECCD6835C914A46E6E44B729433B60_52; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::65E32B4E150FD8D24B93B0D42A17F1DAD146162B __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_53; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D52 <PrivateImplementationDetails>::6770974FEF1E98B9C1864370E2B5B786EB0EA39E __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_54; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::67EEAD805D708D9AA4E14BF747E44CED801744F3 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___67EEAD805D708D9AA4E14BF747E44CED801744F3_55; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D120 <PrivateImplementationDetails>::6C71197D228427B2864C69B357FEF73D8C9D59DF __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 ___6C71197D228427B2864C69B357FEF73D8C9D59DF_56; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::6CEE45445AFD150B047A5866FFA76AA651CDB7B7 __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_57; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D9 <PrivateImplementationDetails>::6D49C9D487D7AD3491ECE08732D68A593CC2038D __StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928 ___6D49C9D487D7AD3491ECE08732D68A593CC2038D_58; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2048 <PrivateImplementationDetails>::6D797C11E1D4FB68B6570CF2A92B792433527065 __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 ___6D797C11E1D4FB68B6570CF2A92B792433527065_59; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3132 <PrivateImplementationDetails>::6E5DC824F803F8565AF31B42199DAE39FE7F4EA9 __StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333 ___6E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D76 <PrivateImplementationDetails>::6FC754859E4EC74E447048364B216D825C6F8FE7 __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB ___6FC754859E4EC74E447048364B216D825C6F8FE7_61; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::704939CD172085D1295FCE3F1D92431D685D7AA2 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___704939CD172085D1295FCE3F1D92431D685D7AA2_62; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D24 <PrivateImplementationDetails>::7088AAE49F0627B72729078DE6E3182DDCF8ED99 __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_63; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::7341C933A70EAE383CC50C4B945ADB8E08F06737 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___7341C933A70EAE383CC50C4B945ADB8E08F06737_64; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::736D39815215889F11249D9958F6ED12D37B9F57 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___736D39815215889F11249D9958F6ED12D37B9F57_65; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D4096 <PrivateImplementationDetails>::7F42F2EDC974BE29B2746957416ED1AEFA605F47 __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 ___7F42F2EDC974BE29B2746957416ED1AEFA605F47_66; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D21252 <PrivateImplementationDetails>::811A927B7DADD378BE60BBDE794B9277AA9B50EC __StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462 ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_68; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D36 <PrivateImplementationDetails>::81917F1E21F3C22B9F916994547A614FB03E968E __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 ___81917F1E21F3C22B9F916994547A614FB03E968E_69; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::823566DA642D6EA356E15585921F2A4CA23D6760 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___823566DA642D6EA356E15585921F2A4CA23D6760_70; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::82C2A59850B2E85BCE1A45A479537A384DF6098D __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___82C2A59850B2E85BCE1A45A479537A384DF6098D_71; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D44 <PrivateImplementationDetails>::82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4 __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::86F4F563FA2C61798AE6238D789139739428463A __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___86F4F563FA2C61798AE6238D789139739428463A_73; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::871B9CF85DB352BAADF12BAE8F19857683E385AC __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___871B9CF85DB352BAADF12BAE8F19857683E385AC_74; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::89A040451C8CC5C8FB268BE44BDD74964C104155 __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___89A040451C8CC5C8FB268BE44BDD74964C104155_75; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::8CAA092E783257106251246FF5C97F88D28517A6 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___8CAA092E783257106251246FF5C97F88D28517A6_76; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2100 <PrivateImplementationDetails>::8D231DD55FE1AD7631BBD0905A17D5EB616C2154 __StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_77; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::8E10AC2F34545DFBBF3FCBC06055D797A8C99991 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_78; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::8F22C9ECE1331718CBD268A9BBFD2F5E451441E3 __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___8F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D640 <PrivateImplementationDetails>::90A0542282A011472F94E97CEAE59F8B3B1A3291 __StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910 ___90A0542282A011472F94E97CEAE59F8B3B1A3291_80; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::93A63E90605400F34B49F0EB3361D23C89164BDA __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___93A63E90605400F34B49F0EB3361D23C89164BDA_81; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::94841DD2F330CCB1089BF413E4FA9B04505152E2 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___94841DD2F330CCB1089BF413E4FA9B04505152E2_82; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::95264589E48F94B7857CFF398FB72A537E13EEE2 __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___95264589E48F94B7857CFF398FB72A537E13EEE2_83; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::95C48758CAE1715783472FB073AB158AB8A0AB2A __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___95C48758CAE1715783472FB073AB158AB8A0AB2A_84; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::973417296623D8DC6961B09664E54039E44CA5D8 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___973417296623D8DC6961B09664E54039E44CA5D8_85; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::97FB30C84FF4A41CD4625B44B2940BFC8DB43003 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___97FB30C84FF4A41CD4625B44B2940BFC8DB43003_86; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D4096 <PrivateImplementationDetails>::99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24 __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 ___99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5 __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::A0074C15377C0C870B055927403EA9FA7A349D12 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___A0074C15377C0C870B055927403EA9FA7A349D12_90; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D130 <PrivateImplementationDetails>::A1319B706116AB2C6D44483F60A7D0ACEA543396 __StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F ___A1319B706116AB2C6D44483F60A7D0ACEA543396_91; // System.Int64 <PrivateImplementationDetails>::A13AA52274D951A18029131A8DDECF76B569A15D int64_t ___A13AA52274D951A18029131A8DDECF76B569A15D_92; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::A323DB0813C4D072957BA6FDA79D9776674CD06B __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___A323DB0813C4D072957BA6FDA79D9776674CD06B_93; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D212 <PrivateImplementationDetails>::A5444763673307F6828C748D4B9708CFC02B0959 __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF ___A5444763673307F6828C748D4B9708CFC02B0959_94; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::A6732F8E7FC23766AB329B492D6BF82E3B33233F __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_95; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D174 <PrivateImplementationDetails>::A705A106D95282BD15E13EEA6B0AF583FF786D83 __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F ___A705A106D95282BD15E13EEA6B0AF583FF786D83_96; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D1018 <PrivateImplementationDetails>::A8A491E4CED49AE0027560476C10D933CE70C8DF __StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4 ___A8A491E4CED49AE0027560476C10D933CE70C8DF_97; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::AC791C4F39504D1184B73478943D0636258DA7B1 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___AC791C4F39504D1184B73478943D0636258DA7B1_98; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D52 <PrivateImplementationDetails>::AFCD4E1211233E99373A3367B23105A3D624B1F2 __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A ___AFCD4E1211233E99373A3367B23105A3D624B1F2_99; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::B472ED77CB3B2A66D49D179F1EE2081B70A6AB61 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D4096 <PrivateImplementationDetails>::B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 ___B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D998 <PrivateImplementationDetails>::B881DA88BE0B68D8A6B6B6893822586B8B2CFC45 __StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D162 <PrivateImplementationDetails>::B8864ACB9DD69E3D42151513C840AAE270BF21C8 __StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_105; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D360 <PrivateImplementationDetails>::B8F87834C3597B2EEF22BA6D3A392CC925636401 __StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7 ___B8F87834C3597B2EEF22BA6D3A392CC925636401_106; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::B9B670F134A59FB1107AF01A9FE8F8E3980B3093 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D20 <PrivateImplementationDetails>::BE1BDEC0AA74B4DCB079943E70528096CCA985F8 __StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63 ___BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::BEBC9ECC660A13EFC359BA3383411F698CFF25DB __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::BF477463CE2F5EF38FC4C644BBBF4DF109E7670A __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D6 <PrivateImplementationDetails>::BF5EB60806ECB74EE484105DD9D6F463BF994867 __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 ___BF5EB60806ECB74EE484105DD9D6F463BF994867_112; // System.Int64 <PrivateImplementationDetails>::C1A1100642BA9685B30A84D97348484E14AA1865 int64_t ___C1A1100642BA9685B30A84D97348484E14AA1865_113; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::C6F364A0AD934EFED8909446C215752E565D77C1 __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 ___C6F364A0AD934EFED8909446C215752E565D77C1_114; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D174 <PrivateImplementationDetails>::CE5835130F5277F63D716FC9115526B0AC68FFAD __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F ___CE5835130F5277F63D716FC9115526B0AC68FFAD_115; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D6 <PrivateImplementationDetails>::CE93C35B755802BC4B3D180716B048FC61701EF7 __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 ___CE93C35B755802BC4B3D180716B048FC61701EF7_116; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::CF0B42666EF5E37EDEA0AB8E173E42C196D03814 __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7 __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D32 <PrivateImplementationDetails>::D117188BE8D4609C0D531C51B0BB911A4219DEBE __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_119; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D32 <PrivateImplementationDetails>::D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 ___D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D256 <PrivateImplementationDetails>::D2C5BAE967587C6F3D9F2C4551911E0575A1101F __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F ___D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D44 <PrivateImplementationDetails>::D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636 __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D76 <PrivateImplementationDetails>::DA19DB47B583EFCF7825D2E39D661D2354F28219 __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB ___DA19DB47B583EFCF7825D2E39D661D2354F28219_123; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D56 <PrivateImplementationDetails>::DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82 __StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10 ___DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D52 <PrivateImplementationDetails>::DD3AEFEADB1CD615F3017763F1568179FEE640B0 __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_125; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D36 <PrivateImplementationDetails>::E1827270A5FE1C85F5352A66FD87BA747213D006 __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 ___E1827270A5FE1C85F5352A66FD87BA747213D006_126; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::E45BAB43F7D5D038672B3E3431F92E34A7AF2571 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::E75835D001C843F156FBA01B001DFE1B8029AC17 __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___E75835D001C843F156FBA01B001DFE1B8029AC17_128; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D52 <PrivateImplementationDetails>::E92B39D8233061927D9ACDE54665E68E7535635A __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A ___E92B39D8233061927D9ACDE54665E68E7535635A_129; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::EA9506959484C55CFE0C139C624DF6060E285866 __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___EA9506959484C55CFE0C139C624DF6060E285866_130; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D262 <PrivateImplementationDetails>::EB5E9A80A40096AB74D2E226650C7258D7BC5E9D __StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7 ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D64 <PrivateImplementationDetails>::EBF68F411848D603D059DFDEA2321C5A5EA78044 __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 ___EBF68F411848D603D059DFDEA2321C5A5EA78044_132; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D10 <PrivateImplementationDetails>::EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11 __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C ___EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D3 <PrivateImplementationDetails>::EC83FB16C20052BEE2B4025159BC2ED45C9C70C3 __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E ___EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::EC89C317EA2BF49A70EFF5E89C691E34733D7C37 __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D40 <PrivateImplementationDetails>::F06E829E62F3AFBC045D064E10A4F5DF7C969612 __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_136; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D11614 <PrivateImplementationDetails>::F073AA332018FDA0D572E99448FFF1D6422BD520 __StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5 ___F073AA332018FDA0D572E99448FFF1D6422BD520_137; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D120 <PrivateImplementationDetails>::F34B0E10653402E8F788F8BC3F7CD7090928A429 __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 ___F34B0E10653402E8F788F8BC3F7CD7090928A429_138; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D72 <PrivateImplementationDetails>::F37E34BEADB04F34FCC31078A59F49856CA83D5B __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_139; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D94 <PrivateImplementationDetails>::F512A9ABF88066AAEB92684F95CC05D8101B462B __StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6 ___F512A9ABF88066AAEB92684F95CC05D8101B462B_140; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D12 <PrivateImplementationDetails>::F8FAABB821300AA500C2CEC6091B3782A7FB44A4 __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141; // <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D2350 <PrivateImplementationDetails>::FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B __StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142; public: inline static int32_t get_offset_of_U30392525BCB01691D1F319D89F2C12BF93A478467_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___0392525BCB01691D1F319D89F2C12BF93A478467_0)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_U30392525BCB01691D1F319D89F2C12BF93A478467_0() const { return ___0392525BCB01691D1F319D89F2C12BF93A478467_0; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_U30392525BCB01691D1F319D89F2C12BF93A478467_0() { return &___0392525BCB01691D1F319D89F2C12BF93A478467_0; } inline void set_U30392525BCB01691D1F319D89F2C12BF93A478467_0(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___0392525BCB01691D1F319D89F2C12BF93A478467_0 = value; } inline static int32_t get_offset_of_U30588059ACBD52F7EA2835882F977A9CF72EB9775_1() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___0588059ACBD52F7EA2835882F977A9CF72EB9775_1)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U30588059ACBD52F7EA2835882F977A9CF72EB9775_1() const { return ___0588059ACBD52F7EA2835882F977A9CF72EB9775_1; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U30588059ACBD52F7EA2835882F977A9CF72EB9775_1() { return &___0588059ACBD52F7EA2835882F977A9CF72EB9775_1; } inline void set_U30588059ACBD52F7EA2835882F977A9CF72EB9775_1(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___0588059ACBD52F7EA2835882F977A9CF72EB9775_1 = value; } inline static int32_t get_offset_of_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2)); } inline __StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A get_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2() const { return ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2; } inline __StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A * get_address_of_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2() { return &___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2; } inline void set_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2(__StaticArrayInitTypeSizeU3D84_tF52293EFB26AA1D2C169389BB83253C5BAE8076A value) { ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_2 = value; } inline static int32_t get_offset_of_U3121EC59E23F7559B28D338D562528F6299C2DE22_3() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___121EC59E23F7559B28D338D562528F6299C2DE22_3)); } inline __StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8 get_U3121EC59E23F7559B28D338D562528F6299C2DE22_3() const { return ___121EC59E23F7559B28D338D562528F6299C2DE22_3; } inline __StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8 * get_address_of_U3121EC59E23F7559B28D338D562528F6299C2DE22_3() { return &___121EC59E23F7559B28D338D562528F6299C2DE22_3; } inline void set_U3121EC59E23F7559B28D338D562528F6299C2DE22_3(__StaticArrayInitTypeSizeU3D240_t5643A77865294845ACC505FE42EA1067CAC04FD8 value) { ___121EC59E23F7559B28D338D562528F6299C2DE22_3 = value; } inline static int32_t get_offset_of_U312D04472A8285260EA12FD3813CDFA9F2D2B548C_4() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___12D04472A8285260EA12FD3813CDFA9F2D2B548C_4)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U312D04472A8285260EA12FD3813CDFA9F2D2B548C_4() const { return ___12D04472A8285260EA12FD3813CDFA9F2D2B548C_4; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U312D04472A8285260EA12FD3813CDFA9F2D2B548C_4() { return &___12D04472A8285260EA12FD3813CDFA9F2D2B548C_4; } inline void set_U312D04472A8285260EA12FD3813CDFA9F2D2B548C_4(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___12D04472A8285260EA12FD3813CDFA9F2D2B548C_4 = value; } inline static int32_t get_offset_of_U313A35EF1A549297C70E2AD46045BBD2ECA17852D_5() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___13A35EF1A549297C70E2AD46045BBD2ECA17852D_5)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U313A35EF1A549297C70E2AD46045BBD2ECA17852D_5() const { return ___13A35EF1A549297C70E2AD46045BBD2ECA17852D_5; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U313A35EF1A549297C70E2AD46045BBD2ECA17852D_5() { return &___13A35EF1A549297C70E2AD46045BBD2ECA17852D_5; } inline void set_U313A35EF1A549297C70E2AD46045BBD2ECA17852D_5(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___13A35EF1A549297C70E2AD46045BBD2ECA17852D_5 = value; } inline static int32_t get_offset_of_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_6() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_6)); } inline __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 get_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_6() const { return ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_6; } inline __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 * get_address_of_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_6() { return &___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_6; } inline void set_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_6(__StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 value) { ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_6 = value; } inline static int32_t get_offset_of_U31A84029C80CB5518379F199F53FF08A7B764F8FD_7() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___1A84029C80CB5518379F199F53FF08A7B764F8FD_7)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U31A84029C80CB5518379F199F53FF08A7B764F8FD_7() const { return ___1A84029C80CB5518379F199F53FF08A7B764F8FD_7; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U31A84029C80CB5518379F199F53FF08A7B764F8FD_7() { return &___1A84029C80CB5518379F199F53FF08A7B764F8FD_7; } inline void set_U31A84029C80CB5518379F199F53FF08A7B764F8FD_7(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___1A84029C80CB5518379F199F53FF08A7B764F8FD_7 = value; } inline static int32_t get_offset_of_U31AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8)); } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 get_U31AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8() const { return ___1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8; } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 * get_address_of_U31AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8() { return &___1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8; } inline void set_U31AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8(__StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 value) { ___1AEF3D8DF416A46288C91C724CBF7B154D9E5BF3_8 = value; } inline static int32_t get_offset_of_U31E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9)); } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 get_U31E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9() const { return ___1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9; } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 * get_address_of_U31E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9() { return &___1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9; } inline void set_U31E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9(__StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 value) { ___1E41C4CD0767AEA21C00DEABA2EA9407F1E6CEA5_9 = value; } inline static int32_t get_offset_of_U31FE6CE411858B3D864679DE2139FB081F08BFACD_10() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___1FE6CE411858B3D864679DE2139FB081F08BFACD_10)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_U31FE6CE411858B3D864679DE2139FB081F08BFACD_10() const { return ___1FE6CE411858B3D864679DE2139FB081F08BFACD_10; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_U31FE6CE411858B3D864679DE2139FB081F08BFACD_10() { return &___1FE6CE411858B3D864679DE2139FB081F08BFACD_10; } inline void set_U31FE6CE411858B3D864679DE2139FB081F08BFACD_10(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___1FE6CE411858B3D864679DE2139FB081F08BFACD_10 = value; } inline static int32_t get_offset_of_U3235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U3235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11() const { return ___235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U3235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11() { return &___235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11; } inline void set_U3235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___235D99572263B22ADFEE10FDA0C25E12F4D94FFC_11 = value; } inline static int32_t get_offset_of_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_12() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_12)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_12() const { return ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_12; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_12() { return &___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_12; } inline void set_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_12(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_12 = value; } inline static int32_t get_offset_of_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13)); } inline __StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD get_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13() const { return ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13; } inline __StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD * get_address_of_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13() { return &___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13; } inline void set_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13(__StaticArrayInitTypeSizeU3D1208_tC58894ECFE2C4FFD2B8FCDF958800099A737C1DD value) { ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_13 = value; } inline static int32_t get_offset_of_U329C1A61550F0E3260E1953D4FAD71C256218EF40_14() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___29C1A61550F0E3260E1953D4FAD71C256218EF40_14)); } inline __StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4 get_U329C1A61550F0E3260E1953D4FAD71C256218EF40_14() const { return ___29C1A61550F0E3260E1953D4FAD71C256218EF40_14; } inline __StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4 * get_address_of_U329C1A61550F0E3260E1953D4FAD71C256218EF40_14() { return &___29C1A61550F0E3260E1953D4FAD71C256218EF40_14; } inline void set_U329C1A61550F0E3260E1953D4FAD71C256218EF40_14(__StaticArrayInitTypeSizeU3D42_t3D9F6218E615F20CE7E1AE0EF6657DE732EDBFD4 value) { ___29C1A61550F0E3260E1953D4FAD71C256218EF40_14 = value; } inline static int32_t get_offset_of_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15() const { return ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15() { return &___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15; } inline void set_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_15 = value; } inline static int32_t get_offset_of_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_16() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_16)); } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 get_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_16() const { return ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_16; } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 * get_address_of_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_16() { return &___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_16; } inline void set_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_16(__StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 value) { ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_16 = value; } inline static int32_t get_offset_of_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_17() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_17)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_17() const { return ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_17; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_17() { return &___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_17; } inline void set_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_17(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_17 = value; } inline static int32_t get_offset_of_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_18() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_18)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_18() const { return ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_18; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_18() { return &___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_18; } inline void set_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_18(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_18 = value; } inline static int32_t get_offset_of_U32D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19)); } inline __StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05 get_U32D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19() const { return ___2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19; } inline __StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05 * get_address_of_U32D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19() { return &___2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19; } inline void set_U32D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19(__StaticArrayInitTypeSizeU3D14_tAC1FF6EBB83457B9752372565F242D9A7C69FD05 value) { ___2D3CF0F15AC2DDEC2956EA1B7BBE43FB8B923130_19 = value; } inline static int32_t get_offset_of_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20() const { return ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20() { return &___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20; } inline void set_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_20 = value; } inline static int32_t get_offset_of_U3320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_U3320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21() const { return ___320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_U3320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21() { return &___320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21; } inline void set_U3320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___320B018758ECE3752FFEDBAEB1A6DB67C80B9359_21 = value; } inline static int32_t get_offset_of_U334476C29F6F81C989CFCA42F7C06E84C66236834_22() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___34476C29F6F81C989CFCA42F7C06E84C66236834_22)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U334476C29F6F81C989CFCA42F7C06E84C66236834_22() const { return ___34476C29F6F81C989CFCA42F7C06E84C66236834_22; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U334476C29F6F81C989CFCA42F7C06E84C66236834_22() { return &___34476C29F6F81C989CFCA42F7C06E84C66236834_22; } inline void set_U334476C29F6F81C989CFCA42F7C06E84C66236834_22(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___34476C29F6F81C989CFCA42F7C06E84C66236834_22 = value; } inline static int32_t get_offset_of_U335EED060772F2748D13B745DAEC8CD7BD3B87604_23() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___35EED060772F2748D13B745DAEC8CD7BD3B87604_23)); } inline __StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA get_U335EED060772F2748D13B745DAEC8CD7BD3B87604_23() const { return ___35EED060772F2748D13B745DAEC8CD7BD3B87604_23; } inline __StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA * get_address_of_U335EED060772F2748D13B745DAEC8CD7BD3B87604_23() { return &___35EED060772F2748D13B745DAEC8CD7BD3B87604_23; } inline void set_U335EED060772F2748D13B745DAEC8CD7BD3B87604_23(__StaticArrayInitTypeSizeU3D2382_tB4AF2C49C5120B6EB285BA4D247340D8E243A1BA value) { ___35EED060772F2748D13B745DAEC8CD7BD3B87604_23 = value; } inline static int32_t get_offset_of_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24)); } inline __StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D get_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24() const { return ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24; } inline __StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D * get_address_of_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24() { return &___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24; } inline void set_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24(__StaticArrayInitTypeSizeU3D38_tA52D24A5F9970582D6B55437967C9BD32E03F05D value) { ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24 = value; } inline static int32_t get_offset_of_U3379C06C9E702D31469C29033F0DD63931EB349F5_25() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___379C06C9E702D31469C29033F0DD63931EB349F5_25)); } inline __StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4 get_U3379C06C9E702D31469C29033F0DD63931EB349F5_25() const { return ___379C06C9E702D31469C29033F0DD63931EB349F5_25; } inline __StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4 * get_address_of_U3379C06C9E702D31469C29033F0DD63931EB349F5_25() { return &___379C06C9E702D31469C29033F0DD63931EB349F5_25; } inline void set_U3379C06C9E702D31469C29033F0DD63931EB349F5_25(__StaticArrayInitTypeSizeU3D1450_t58DE69DB537BA7DFBFF2C7084FFC6970FB3BAEA4 value) { ___379C06C9E702D31469C29033F0DD63931EB349F5_25 = value; } inline static int32_t get_offset_of_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_26() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_26)); } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C get_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_26() const { return ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_26; } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C * get_address_of_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_26() { return &___399BD13E240F33F808CA7940293D6EC4E6FD5A00_26; } inline void set_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_26(__StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C value) { ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_26 = value; } inline static int32_t get_offset_of_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_27() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_27)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_27() const { return ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_27; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_27() { return &___39C9CE73C7B0619D409EF28344F687C1B5C130FE_27; } inline void set_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_27(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_27 = value; } inline static int32_t get_offset_of_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28)); } inline __StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49 get_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28() const { return ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28; } inline __StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49 * get_address_of_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28() { return &___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28; } inline void set_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28(__StaticArrayInitTypeSizeU3D320_t48B9242FB90DB2A21A723BBAB141500A9641EB49 value) { ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_28 = value; } inline static int32_t get_offset_of_U33E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___3E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U33E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29() const { return ___3E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U33E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29() { return &___3E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29; } inline void set_U33E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___3E3442C7396F3F2BB4C7348F4A2074C7DC677D68_29 = value; } inline static int32_t get_offset_of_U33E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_U33E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30() const { return ___3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_U33E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30() { return &___3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30; } inline void set_U33E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___3E4BBF9D0CDD2E34F78AA7A9A3979DCE1F7B02BD_30 = value; } inline static int32_t get_offset_of_U33E823444D2DFECF0F90B436B88F02A533CB376F1_31() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___3E823444D2DFECF0F90B436B88F02A533CB376F1_31)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_U33E823444D2DFECF0F90B436B88F02A533CB376F1_31() const { return ___3E823444D2DFECF0F90B436B88F02A533CB376F1_31; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_U33E823444D2DFECF0F90B436B88F02A533CB376F1_31() { return &___3E823444D2DFECF0F90B436B88F02A533CB376F1_31; } inline void set_U33E823444D2DFECF0F90B436B88F02A533CB376F1_31(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___3E823444D2DFECF0F90B436B88F02A533CB376F1_31 = value; } inline static int32_t get_offset_of_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32() const { return ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32() { return &___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32; } inline void set_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_32 = value; } inline static int32_t get_offset_of_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_33() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_33)); } inline __StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20 get_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_33() const { return ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_33; } inline __StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20 * get_address_of_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_33() { return &___40981BAA39513E58B28DCF0103CC04DE2A0A0444_33; } inline void set_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_33(__StaticArrayInitTypeSizeU3D1665_tCD7752863825B82B07752CCE72A581C169E19C20 value) { ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_33 = value; } inline static int32_t get_offset_of_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_34() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_34)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_34() const { return ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_34; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_34() { return &___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_34; } inline void set_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_34(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_34 = value; } inline static int32_t get_offset_of_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35() const { return ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35() { return &___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35; } inline void set_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_35 = value; } inline static int32_t get_offset_of_U3433175D38B13FFE177FDD661A309F1B528B3F6E2_36() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___433175D38B13FFE177FDD661A309F1B528B3F6E2_36)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_U3433175D38B13FFE177FDD661A309F1B528B3F6E2_36() const { return ___433175D38B13FFE177FDD661A309F1B528B3F6E2_36; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_U3433175D38B13FFE177FDD661A309F1B528B3F6E2_36() { return &___433175D38B13FFE177FDD661A309F1B528B3F6E2_36; } inline void set_U3433175D38B13FFE177FDD661A309F1B528B3F6E2_36(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___433175D38B13FFE177FDD661A309F1B528B3F6E2_36 = value; } inline static int32_t get_offset_of_U346232052BC757E030490D851F265FB47FA100902_37() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___46232052BC757E030490D851F265FB47FA100902_37)); } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 get_U346232052BC757E030490D851F265FB47FA100902_37() const { return ___46232052BC757E030490D851F265FB47FA100902_37; } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 * get_address_of_U346232052BC757E030490D851F265FB47FA100902_37() { return &___46232052BC757E030490D851F265FB47FA100902_37; } inline void set_U346232052BC757E030490D851F265FB47FA100902_37(__StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 value) { ___46232052BC757E030490D851F265FB47FA100902_37 = value; } inline static int32_t get_offset_of_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_38() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_38)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_38() const { return ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_38; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_38() { return &___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_38; } inline void set_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_38(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_38 = value; } inline static int32_t get_offset_of_U34E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___4E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39)); } inline __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A get_U34E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39() const { return ___4E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39; } inline __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A * get_address_of_U34E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39() { return &___4E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39; } inline void set_U34E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39(__StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A value) { ___4E3B533C39447AAEB59A8E48FABD7E15B5B5D195_39 = value; } inline static int32_t get_offset_of_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_40() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_40)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_40() const { return ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_40; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_40() { return &___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_40; } inline void set_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_40(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_40 = value; } inline static int32_t get_offset_of_U3536422B321459B242ADED7240B7447E904E083E3_41() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___536422B321459B242ADED7240B7447E904E083E3_41)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U3536422B321459B242ADED7240B7447E904E083E3_41() const { return ___536422B321459B242ADED7240B7447E904E083E3_41; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U3536422B321459B242ADED7240B7447E904E083E3_41() { return &___536422B321459B242ADED7240B7447E904E083E3_41; } inline void set_U3536422B321459B242ADED7240B7447E904E083E3_41(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___536422B321459B242ADED7240B7447E904E083E3_41 = value; } inline static int32_t get_offset_of_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42)); } inline __StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84 get_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42() const { return ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42; } inline __StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84 * get_address_of_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42() { return &___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42; } inline void set_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42(__StaticArrayInitTypeSizeU3D1080_tCE36DA14009C45CFDEA7F63618BE90F8DF89AC84 value) { ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_42 = value; } inline static int32_t get_offset_of_U356DFA5053B3131883637F53219E7D88CCEF35949_43() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___56DFA5053B3131883637F53219E7D88CCEF35949_43)); } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C get_U356DFA5053B3131883637F53219E7D88CCEF35949_43() const { return ___56DFA5053B3131883637F53219E7D88CCEF35949_43; } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C * get_address_of_U356DFA5053B3131883637F53219E7D88CCEF35949_43() { return &___56DFA5053B3131883637F53219E7D88CCEF35949_43; } inline void set_U356DFA5053B3131883637F53219E7D88CCEF35949_43(__StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C value) { ___56DFA5053B3131883637F53219E7D88CCEF35949_43 = value; } inline static int32_t get_offset_of_U357218C316B6921E2CD61027A2387EDC31A2D9471_44() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___57218C316B6921E2CD61027A2387EDC31A2D9471_44)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U357218C316B6921E2CD61027A2387EDC31A2D9471_44() const { return ___57218C316B6921E2CD61027A2387EDC31A2D9471_44; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U357218C316B6921E2CD61027A2387EDC31A2D9471_44() { return &___57218C316B6921E2CD61027A2387EDC31A2D9471_44; } inline void set_U357218C316B6921E2CD61027A2387EDC31A2D9471_44(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___57218C316B6921E2CD61027A2387EDC31A2D9471_44 = value; } inline static int32_t get_offset_of_U357F320D62696EC99727E0FE2045A05F1289CC0C6_45() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___57F320D62696EC99727E0FE2045A05F1289CC0C6_45)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U357F320D62696EC99727E0FE2045A05F1289CC0C6_45() const { return ___57F320D62696EC99727E0FE2045A05F1289CC0C6_45; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U357F320D62696EC99727E0FE2045A05F1289CC0C6_45() { return &___57F320D62696EC99727E0FE2045A05F1289CC0C6_45; } inline void set_U357F320D62696EC99727E0FE2045A05F1289CC0C6_45(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___57F320D62696EC99727E0FE2045A05F1289CC0C6_45 = value; } inline static int32_t get_offset_of_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46)); } inline __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF get_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46() const { return ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46; } inline __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF * get_address_of_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46() { return &___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46; } inline void set_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46(__StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF value) { ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_46 = value; } inline static int32_t get_offset_of_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_47() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_47)); } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 get_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_47() const { return ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_47; } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 * get_address_of_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_47() { return &___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_47; } inline void set_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_47(__StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 value) { ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_47 = value; } inline static int32_t get_offset_of_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48)); } inline __StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55 get_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48() const { return ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48; } inline __StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55 * get_address_of_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48() { return &___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48; } inline void set_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48(__StaticArrayInitTypeSizeU3D288_t7B40D7F3A8D262F90A76460FF94E92CE08AFCF55 value) { ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_48 = value; } inline static int32_t get_offset_of_U35BFE2819B4778217C56416C7585FF0E56EBACD89_49() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___5BFE2819B4778217C56416C7585FF0E56EBACD89_49)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U35BFE2819B4778217C56416C7585FF0E56EBACD89_49() const { return ___5BFE2819B4778217C56416C7585FF0E56EBACD89_49; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U35BFE2819B4778217C56416C7585FF0E56EBACD89_49() { return &___5BFE2819B4778217C56416C7585FF0E56EBACD89_49; } inline void set_U35BFE2819B4778217C56416C7585FF0E56EBACD89_49(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___5BFE2819B4778217C56416C7585FF0E56EBACD89_49 = value; } inline static int32_t get_offset_of_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50)); } inline __StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1 get_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50() const { return ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50; } inline __StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1 * get_address_of_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50() { return &___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50; } inline void set_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50(__StaticArrayInitTypeSizeU3D128_t1B13688BD6EA82B964734FF8C3181161EF5624B1 value) { ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_50 = value; } inline static int32_t get_offset_of_U362BAB0F245E66C3EB982CF5A7015F0A7C3382283_51() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___62BAB0F245E66C3EB982CF5A7015F0A7C3382283_51)); } inline __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A get_U362BAB0F245E66C3EB982CF5A7015F0A7C3382283_51() const { return ___62BAB0F245E66C3EB982CF5A7015F0A7C3382283_51; } inline __StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A * get_address_of_U362BAB0F245E66C3EB982CF5A7015F0A7C3382283_51() { return &___62BAB0F245E66C3EB982CF5A7015F0A7C3382283_51; } inline void set_U362BAB0F245E66C3EB982CF5A7015F0A7C3382283_51(__StaticArrayInitTypeSizeU3D48_tE49166878222E9194FE3FD621830EDB6E705F79A value) { ___62BAB0F245E66C3EB982CF5A7015F0A7C3382283_51 = value; } inline static int32_t get_offset_of_U3646036A65DECCD6835C914A46E6E44B729433B60_52() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___646036A65DECCD6835C914A46E6E44B729433B60_52)); } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 get_U3646036A65DECCD6835C914A46E6E44B729433B60_52() const { return ___646036A65DECCD6835C914A46E6E44B729433B60_52; } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 * get_address_of_U3646036A65DECCD6835C914A46E6E44B729433B60_52() { return &___646036A65DECCD6835C914A46E6E44B729433B60_52; } inline void set_U3646036A65DECCD6835C914A46E6E44B729433B60_52(__StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 value) { ___646036A65DECCD6835C914A46E6E44B729433B60_52 = value; } inline static int32_t get_offset_of_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_53() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_53)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_53() const { return ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_53; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_53() { return &___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_53; } inline void set_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_53(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_53 = value; } inline static int32_t get_offset_of_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_54() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_54)); } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A get_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_54() const { return ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_54; } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A * get_address_of_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_54() { return &___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_54; } inline void set_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_54(__StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A value) { ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_54 = value; } inline static int32_t get_offset_of_U367EEAD805D708D9AA4E14BF747E44CED801744F3_55() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___67EEAD805D708D9AA4E14BF747E44CED801744F3_55)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U367EEAD805D708D9AA4E14BF747E44CED801744F3_55() const { return ___67EEAD805D708D9AA4E14BF747E44CED801744F3_55; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U367EEAD805D708D9AA4E14BF747E44CED801744F3_55() { return &___67EEAD805D708D9AA4E14BF747E44CED801744F3_55; } inline void set_U367EEAD805D708D9AA4E14BF747E44CED801744F3_55(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___67EEAD805D708D9AA4E14BF747E44CED801744F3_55 = value; } inline static int32_t get_offset_of_U36C71197D228427B2864C69B357FEF73D8C9D59DF_56() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6C71197D228427B2864C69B357FEF73D8C9D59DF_56)); } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 get_U36C71197D228427B2864C69B357FEF73D8C9D59DF_56() const { return ___6C71197D228427B2864C69B357FEF73D8C9D59DF_56; } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 * get_address_of_U36C71197D228427B2864C69B357FEF73D8C9D59DF_56() { return &___6C71197D228427B2864C69B357FEF73D8C9D59DF_56; } inline void set_U36C71197D228427B2864C69B357FEF73D8C9D59DF_56(__StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 value) { ___6C71197D228427B2864C69B357FEF73D8C9D59DF_56 = value; } inline static int32_t get_offset_of_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_57() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_57)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_57() const { return ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_57; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_57() { return &___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_57; } inline void set_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_57(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_57 = value; } inline static int32_t get_offset_of_U36D49C9D487D7AD3491ECE08732D68A593CC2038D_58() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6D49C9D487D7AD3491ECE08732D68A593CC2038D_58)); } inline __StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928 get_U36D49C9D487D7AD3491ECE08732D68A593CC2038D_58() const { return ___6D49C9D487D7AD3491ECE08732D68A593CC2038D_58; } inline __StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928 * get_address_of_U36D49C9D487D7AD3491ECE08732D68A593CC2038D_58() { return &___6D49C9D487D7AD3491ECE08732D68A593CC2038D_58; } inline void set_U36D49C9D487D7AD3491ECE08732D68A593CC2038D_58(__StaticArrayInitTypeSizeU3D9_tF0D137C898E06A3CD9FFB079C91D796B9EC8B928 value) { ___6D49C9D487D7AD3491ECE08732D68A593CC2038D_58 = value; } inline static int32_t get_offset_of_U36D797C11E1D4FB68B6570CF2A92B792433527065_59() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6D797C11E1D4FB68B6570CF2A92B792433527065_59)); } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 get_U36D797C11E1D4FB68B6570CF2A92B792433527065_59() const { return ___6D797C11E1D4FB68B6570CF2A92B792433527065_59; } inline __StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 * get_address_of_U36D797C11E1D4FB68B6570CF2A92B792433527065_59() { return &___6D797C11E1D4FB68B6570CF2A92B792433527065_59; } inline void set_U36D797C11E1D4FB68B6570CF2A92B792433527065_59(__StaticArrayInitTypeSizeU3D2048_t95CEED630052F2BBE3122C058EEAD48DB4C2AD02 value) { ___6D797C11E1D4FB68B6570CF2A92B792433527065_59 = value; } inline static int32_t get_offset_of_U36E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60)); } inline __StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333 get_U36E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60() const { return ___6E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60; } inline __StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333 * get_address_of_U36E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60() { return &___6E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60; } inline void set_U36E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60(__StaticArrayInitTypeSizeU3D3132_t7837B5DAEC2B2BEBD61C333545DB9AE2F35BF333 value) { ___6E5DC824F803F8565AF31B42199DAE39FE7F4EA9_60 = value; } inline static int32_t get_offset_of_U36FC754859E4EC74E447048364B216D825C6F8FE7_61() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___6FC754859E4EC74E447048364B216D825C6F8FE7_61)); } inline __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB get_U36FC754859E4EC74E447048364B216D825C6F8FE7_61() const { return ___6FC754859E4EC74E447048364B216D825C6F8FE7_61; } inline __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB * get_address_of_U36FC754859E4EC74E447048364B216D825C6F8FE7_61() { return &___6FC754859E4EC74E447048364B216D825C6F8FE7_61; } inline void set_U36FC754859E4EC74E447048364B216D825C6F8FE7_61(__StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB value) { ___6FC754859E4EC74E447048364B216D825C6F8FE7_61 = value; } inline static int32_t get_offset_of_U3704939CD172085D1295FCE3F1D92431D685D7AA2_62() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___704939CD172085D1295FCE3F1D92431D685D7AA2_62)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U3704939CD172085D1295FCE3F1D92431D685D7AA2_62() const { return ___704939CD172085D1295FCE3F1D92431D685D7AA2_62; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U3704939CD172085D1295FCE3F1D92431D685D7AA2_62() { return &___704939CD172085D1295FCE3F1D92431D685D7AA2_62; } inline void set_U3704939CD172085D1295FCE3F1D92431D685D7AA2_62(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___704939CD172085D1295FCE3F1D92431D685D7AA2_62 = value; } inline static int32_t get_offset_of_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_63() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_63)); } inline __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 get_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_63() const { return ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_63; } inline __StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 * get_address_of_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_63() { return &___7088AAE49F0627B72729078DE6E3182DDCF8ED99_63; } inline void set_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_63(__StaticArrayInitTypeSizeU3D24_tAB08761D1BC4313A0535E193F4E1A1AFA8B3F123 value) { ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_63 = value; } inline static int32_t get_offset_of_U37341C933A70EAE383CC50C4B945ADB8E08F06737_64() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___7341C933A70EAE383CC50C4B945ADB8E08F06737_64)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U37341C933A70EAE383CC50C4B945ADB8E08F06737_64() const { return ___7341C933A70EAE383CC50C4B945ADB8E08F06737_64; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U37341C933A70EAE383CC50C4B945ADB8E08F06737_64() { return &___7341C933A70EAE383CC50C4B945ADB8E08F06737_64; } inline void set_U37341C933A70EAE383CC50C4B945ADB8E08F06737_64(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___7341C933A70EAE383CC50C4B945ADB8E08F06737_64 = value; } inline static int32_t get_offset_of_U3736D39815215889F11249D9958F6ED12D37B9F57_65() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___736D39815215889F11249D9958F6ED12D37B9F57_65)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U3736D39815215889F11249D9958F6ED12D37B9F57_65() const { return ___736D39815215889F11249D9958F6ED12D37B9F57_65; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U3736D39815215889F11249D9958F6ED12D37B9F57_65() { return &___736D39815215889F11249D9958F6ED12D37B9F57_65; } inline void set_U3736D39815215889F11249D9958F6ED12D37B9F57_65(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___736D39815215889F11249D9958F6ED12D37B9F57_65 = value; } inline static int32_t get_offset_of_U37F42F2EDC974BE29B2746957416ED1AEFA605F47_66() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___7F42F2EDC974BE29B2746957416ED1AEFA605F47_66)); } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 get_U37F42F2EDC974BE29B2746957416ED1AEFA605F47_66() const { return ___7F42F2EDC974BE29B2746957416ED1AEFA605F47_66; } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 * get_address_of_U37F42F2EDC974BE29B2746957416ED1AEFA605F47_66() { return &___7F42F2EDC974BE29B2746957416ED1AEFA605F47_66; } inline void set_U37F42F2EDC974BE29B2746957416ED1AEFA605F47_66(__StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 value) { ___7F42F2EDC974BE29B2746957416ED1AEFA605F47_66 = value; } inline static int32_t get_offset_of_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67() const { return ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67() { return &___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67; } inline void set_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_67 = value; } inline static int32_t get_offset_of_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_68() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_68)); } inline __StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462 get_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_68() const { return ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_68; } inline __StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462 * get_address_of_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_68() { return &___811A927B7DADD378BE60BBDE794B9277AA9B50EC_68; } inline void set_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_68(__StaticArrayInitTypeSizeU3D21252_tCA2B51BDF30FDECEBFCB55CC7530A0A7D6BC4462 value) { ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_68 = value; } inline static int32_t get_offset_of_U381917F1E21F3C22B9F916994547A614FB03E968E_69() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___81917F1E21F3C22B9F916994547A614FB03E968E_69)); } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 get_U381917F1E21F3C22B9F916994547A614FB03E968E_69() const { return ___81917F1E21F3C22B9F916994547A614FB03E968E_69; } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 * get_address_of_U381917F1E21F3C22B9F916994547A614FB03E968E_69() { return &___81917F1E21F3C22B9F916994547A614FB03E968E_69; } inline void set_U381917F1E21F3C22B9F916994547A614FB03E968E_69(__StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 value) { ___81917F1E21F3C22B9F916994547A614FB03E968E_69 = value; } inline static int32_t get_offset_of_U3823566DA642D6EA356E15585921F2A4CA23D6760_70() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___823566DA642D6EA356E15585921F2A4CA23D6760_70)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U3823566DA642D6EA356E15585921F2A4CA23D6760_70() const { return ___823566DA642D6EA356E15585921F2A4CA23D6760_70; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U3823566DA642D6EA356E15585921F2A4CA23D6760_70() { return &___823566DA642D6EA356E15585921F2A4CA23D6760_70; } inline void set_U3823566DA642D6EA356E15585921F2A4CA23D6760_70(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___823566DA642D6EA356E15585921F2A4CA23D6760_70 = value; } inline static int32_t get_offset_of_U382C2A59850B2E85BCE1A45A479537A384DF6098D_71() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___82C2A59850B2E85BCE1A45A479537A384DF6098D_71)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_U382C2A59850B2E85BCE1A45A479537A384DF6098D_71() const { return ___82C2A59850B2E85BCE1A45A479537A384DF6098D_71; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_U382C2A59850B2E85BCE1A45A479537A384DF6098D_71() { return &___82C2A59850B2E85BCE1A45A479537A384DF6098D_71; } inline void set_U382C2A59850B2E85BCE1A45A479537A384DF6098D_71(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___82C2A59850B2E85BCE1A45A479537A384DF6098D_71 = value; } inline static int32_t get_offset_of_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72)); } inline __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F get_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72() const { return ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72; } inline __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F * get_address_of_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72() { return &___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72; } inline void set_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72(__StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F value) { ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_72 = value; } inline static int32_t get_offset_of_U386F4F563FA2C61798AE6238D789139739428463A_73() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___86F4F563FA2C61798AE6238D789139739428463A_73)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U386F4F563FA2C61798AE6238D789139739428463A_73() const { return ___86F4F563FA2C61798AE6238D789139739428463A_73; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U386F4F563FA2C61798AE6238D789139739428463A_73() { return &___86F4F563FA2C61798AE6238D789139739428463A_73; } inline void set_U386F4F563FA2C61798AE6238D789139739428463A_73(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___86F4F563FA2C61798AE6238D789139739428463A_73 = value; } inline static int32_t get_offset_of_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_74() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___871B9CF85DB352BAADF12BAE8F19857683E385AC_74)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_74() const { return ___871B9CF85DB352BAADF12BAE8F19857683E385AC_74; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_74() { return &___871B9CF85DB352BAADF12BAE8F19857683E385AC_74; } inline void set_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_74(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___871B9CF85DB352BAADF12BAE8F19857683E385AC_74 = value; } inline static int32_t get_offset_of_U389A040451C8CC5C8FB268BE44BDD74964C104155_75() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___89A040451C8CC5C8FB268BE44BDD74964C104155_75)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_U389A040451C8CC5C8FB268BE44BDD74964C104155_75() const { return ___89A040451C8CC5C8FB268BE44BDD74964C104155_75; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_U389A040451C8CC5C8FB268BE44BDD74964C104155_75() { return &___89A040451C8CC5C8FB268BE44BDD74964C104155_75; } inline void set_U389A040451C8CC5C8FB268BE44BDD74964C104155_75(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___89A040451C8CC5C8FB268BE44BDD74964C104155_75 = value; } inline static int32_t get_offset_of_U38CAA092E783257106251246FF5C97F88D28517A6_76() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___8CAA092E783257106251246FF5C97F88D28517A6_76)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U38CAA092E783257106251246FF5C97F88D28517A6_76() const { return ___8CAA092E783257106251246FF5C97F88D28517A6_76; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U38CAA092E783257106251246FF5C97F88D28517A6_76() { return &___8CAA092E783257106251246FF5C97F88D28517A6_76; } inline void set_U38CAA092E783257106251246FF5C97F88D28517A6_76(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___8CAA092E783257106251246FF5C97F88D28517A6_76 = value; } inline static int32_t get_offset_of_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_77() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_77)); } inline __StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA get_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_77() const { return ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_77; } inline __StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA * get_address_of_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_77() { return &___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_77; } inline void set_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_77(__StaticArrayInitTypeSizeU3D2100_t75CE52CDAFC7C95EDAB5CF1AF8B2621D502F1FAA value) { ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_77 = value; } inline static int32_t get_offset_of_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_78() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_78)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_78() const { return ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_78; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_78() { return &___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_78; } inline void set_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_78(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_78 = value; } inline static int32_t get_offset_of_U38F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___8F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_U38F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79() const { return ___8F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_U38F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79() { return &___8F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79; } inline void set_U38F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___8F22C9ECE1331718CBD268A9BBFD2F5E451441E3_79 = value; } inline static int32_t get_offset_of_U390A0542282A011472F94E97CEAE59F8B3B1A3291_80() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___90A0542282A011472F94E97CEAE59F8B3B1A3291_80)); } inline __StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910 get_U390A0542282A011472F94E97CEAE59F8B3B1A3291_80() const { return ___90A0542282A011472F94E97CEAE59F8B3B1A3291_80; } inline __StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910 * get_address_of_U390A0542282A011472F94E97CEAE59F8B3B1A3291_80() { return &___90A0542282A011472F94E97CEAE59F8B3B1A3291_80; } inline void set_U390A0542282A011472F94E97CEAE59F8B3B1A3291_80(__StaticArrayInitTypeSizeU3D640_t9C691C15FA1A34F93F102000D5F515E32241C910 value) { ___90A0542282A011472F94E97CEAE59F8B3B1A3291_80 = value; } inline static int32_t get_offset_of_U393A63E90605400F34B49F0EB3361D23C89164BDA_81() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___93A63E90605400F34B49F0EB3361D23C89164BDA_81)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_U393A63E90605400F34B49F0EB3361D23C89164BDA_81() const { return ___93A63E90605400F34B49F0EB3361D23C89164BDA_81; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_U393A63E90605400F34B49F0EB3361D23C89164BDA_81() { return &___93A63E90605400F34B49F0EB3361D23C89164BDA_81; } inline void set_U393A63E90605400F34B49F0EB3361D23C89164BDA_81(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___93A63E90605400F34B49F0EB3361D23C89164BDA_81 = value; } inline static int32_t get_offset_of_U394841DD2F330CCB1089BF413E4FA9B04505152E2_82() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___94841DD2F330CCB1089BF413E4FA9B04505152E2_82)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U394841DD2F330CCB1089BF413E4FA9B04505152E2_82() const { return ___94841DD2F330CCB1089BF413E4FA9B04505152E2_82; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U394841DD2F330CCB1089BF413E4FA9B04505152E2_82() { return &___94841DD2F330CCB1089BF413E4FA9B04505152E2_82; } inline void set_U394841DD2F330CCB1089BF413E4FA9B04505152E2_82(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___94841DD2F330CCB1089BF413E4FA9B04505152E2_82 = value; } inline static int32_t get_offset_of_U395264589E48F94B7857CFF398FB72A537E13EEE2_83() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___95264589E48F94B7857CFF398FB72A537E13EEE2_83)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_U395264589E48F94B7857CFF398FB72A537E13EEE2_83() const { return ___95264589E48F94B7857CFF398FB72A537E13EEE2_83; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_U395264589E48F94B7857CFF398FB72A537E13EEE2_83() { return &___95264589E48F94B7857CFF398FB72A537E13EEE2_83; } inline void set_U395264589E48F94B7857CFF398FB72A537E13EEE2_83(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___95264589E48F94B7857CFF398FB72A537E13EEE2_83 = value; } inline static int32_t get_offset_of_U395C48758CAE1715783472FB073AB158AB8A0AB2A_84() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___95C48758CAE1715783472FB073AB158AB8A0AB2A_84)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U395C48758CAE1715783472FB073AB158AB8A0AB2A_84() const { return ___95C48758CAE1715783472FB073AB158AB8A0AB2A_84; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U395C48758CAE1715783472FB073AB158AB8A0AB2A_84() { return &___95C48758CAE1715783472FB073AB158AB8A0AB2A_84; } inline void set_U395C48758CAE1715783472FB073AB158AB8A0AB2A_84(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___95C48758CAE1715783472FB073AB158AB8A0AB2A_84 = value; } inline static int32_t get_offset_of_U3973417296623D8DC6961B09664E54039E44CA5D8_85() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___973417296623D8DC6961B09664E54039E44CA5D8_85)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_U3973417296623D8DC6961B09664E54039E44CA5D8_85() const { return ___973417296623D8DC6961B09664E54039E44CA5D8_85; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_U3973417296623D8DC6961B09664E54039E44CA5D8_85() { return &___973417296623D8DC6961B09664E54039E44CA5D8_85; } inline void set_U3973417296623D8DC6961B09664E54039E44CA5D8_85(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___973417296623D8DC6961B09664E54039E44CA5D8_85 = value; } inline static int32_t get_offset_of_U397FB30C84FF4A41CD4625B44B2940BFC8DB43003_86() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___97FB30C84FF4A41CD4625B44B2940BFC8DB43003_86)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U397FB30C84FF4A41CD4625B44B2940BFC8DB43003_86() const { return ___97FB30C84FF4A41CD4625B44B2940BFC8DB43003_86; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U397FB30C84FF4A41CD4625B44B2940BFC8DB43003_86() { return &___97FB30C84FF4A41CD4625B44B2940BFC8DB43003_86; } inline void set_U397FB30C84FF4A41CD4625B44B2940BFC8DB43003_86(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___97FB30C84FF4A41CD4625B44B2940BFC8DB43003_86 = value; } inline static int32_t get_offset_of_U399E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87)); } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 get_U399E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87() const { return ___99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87; } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 * get_address_of_U399E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87() { return &___99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87; } inline void set_U399E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87(__StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 value) { ___99E2E88877D14C7DDC4E957A0ED7079CA0E9EB24_87 = value; } inline static int32_t get_offset_of_U39A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_U39A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88() const { return ___9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_U39A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88() { return &___9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88; } inline void set_U39A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___9A9C3962CD4753376E3507C8CB5FD8FCC4B4EDB5_88 = value; } inline static int32_t get_offset_of_U39BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_U39BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89() const { return ___9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_U39BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89() { return &___9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89; } inline void set_U39BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___9BB00D1FCCBAF03165447FC8028E7CA07CA9FE88_89 = value; } inline static int32_t get_offset_of_A0074C15377C0C870B055927403EA9FA7A349D12_90() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A0074C15377C0C870B055927403EA9FA7A349D12_90)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_A0074C15377C0C870B055927403EA9FA7A349D12_90() const { return ___A0074C15377C0C870B055927403EA9FA7A349D12_90; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_A0074C15377C0C870B055927403EA9FA7A349D12_90() { return &___A0074C15377C0C870B055927403EA9FA7A349D12_90; } inline void set_A0074C15377C0C870B055927403EA9FA7A349D12_90(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___A0074C15377C0C870B055927403EA9FA7A349D12_90 = value; } inline static int32_t get_offset_of_A1319B706116AB2C6D44483F60A7D0ACEA543396_91() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A1319B706116AB2C6D44483F60A7D0ACEA543396_91)); } inline __StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F get_A1319B706116AB2C6D44483F60A7D0ACEA543396_91() const { return ___A1319B706116AB2C6D44483F60A7D0ACEA543396_91; } inline __StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F * get_address_of_A1319B706116AB2C6D44483F60A7D0ACEA543396_91() { return &___A1319B706116AB2C6D44483F60A7D0ACEA543396_91; } inline void set_A1319B706116AB2C6D44483F60A7D0ACEA543396_91(__StaticArrayInitTypeSizeU3D130_t732A6F42953325ADC5746FF1A652A2974473AF4F value) { ___A1319B706116AB2C6D44483F60A7D0ACEA543396_91 = value; } inline static int32_t get_offset_of_A13AA52274D951A18029131A8DDECF76B569A15D_92() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A13AA52274D951A18029131A8DDECF76B569A15D_92)); } inline int64_t get_A13AA52274D951A18029131A8DDECF76B569A15D_92() const { return ___A13AA52274D951A18029131A8DDECF76B569A15D_92; } inline int64_t* get_address_of_A13AA52274D951A18029131A8DDECF76B569A15D_92() { return &___A13AA52274D951A18029131A8DDECF76B569A15D_92; } inline void set_A13AA52274D951A18029131A8DDECF76B569A15D_92(int64_t value) { ___A13AA52274D951A18029131A8DDECF76B569A15D_92 = value; } inline static int32_t get_offset_of_A323DB0813C4D072957BA6FDA79D9776674CD06B_93() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A323DB0813C4D072957BA6FDA79D9776674CD06B_93)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_A323DB0813C4D072957BA6FDA79D9776674CD06B_93() const { return ___A323DB0813C4D072957BA6FDA79D9776674CD06B_93; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_A323DB0813C4D072957BA6FDA79D9776674CD06B_93() { return &___A323DB0813C4D072957BA6FDA79D9776674CD06B_93; } inline void set_A323DB0813C4D072957BA6FDA79D9776674CD06B_93(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___A323DB0813C4D072957BA6FDA79D9776674CD06B_93 = value; } inline static int32_t get_offset_of_A5444763673307F6828C748D4B9708CFC02B0959_94() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A5444763673307F6828C748D4B9708CFC02B0959_94)); } inline __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF get_A5444763673307F6828C748D4B9708CFC02B0959_94() const { return ___A5444763673307F6828C748D4B9708CFC02B0959_94; } inline __StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF * get_address_of_A5444763673307F6828C748D4B9708CFC02B0959_94() { return &___A5444763673307F6828C748D4B9708CFC02B0959_94; } inline void set_A5444763673307F6828C748D4B9708CFC02B0959_94(__StaticArrayInitTypeSizeU3D212_tDFB9BEA11D871D109F9E6502B2F50F7115451AAF value) { ___A5444763673307F6828C748D4B9708CFC02B0959_94 = value; } inline static int32_t get_offset_of_A6732F8E7FC23766AB329B492D6BF82E3B33233F_95() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_95)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_A6732F8E7FC23766AB329B492D6BF82E3B33233F_95() const { return ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_95; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_A6732F8E7FC23766AB329B492D6BF82E3B33233F_95() { return &___A6732F8E7FC23766AB329B492D6BF82E3B33233F_95; } inline void set_A6732F8E7FC23766AB329B492D6BF82E3B33233F_95(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_95 = value; } inline static int32_t get_offset_of_A705A106D95282BD15E13EEA6B0AF583FF786D83_96() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A705A106D95282BD15E13EEA6B0AF583FF786D83_96)); } inline __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F get_A705A106D95282BD15E13EEA6B0AF583FF786D83_96() const { return ___A705A106D95282BD15E13EEA6B0AF583FF786D83_96; } inline __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F * get_address_of_A705A106D95282BD15E13EEA6B0AF583FF786D83_96() { return &___A705A106D95282BD15E13EEA6B0AF583FF786D83_96; } inline void set_A705A106D95282BD15E13EEA6B0AF583FF786D83_96(__StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F value) { ___A705A106D95282BD15E13EEA6B0AF583FF786D83_96 = value; } inline static int32_t get_offset_of_A8A491E4CED49AE0027560476C10D933CE70C8DF_97() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___A8A491E4CED49AE0027560476C10D933CE70C8DF_97)); } inline __StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4 get_A8A491E4CED49AE0027560476C10D933CE70C8DF_97() const { return ___A8A491E4CED49AE0027560476C10D933CE70C8DF_97; } inline __StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4 * get_address_of_A8A491E4CED49AE0027560476C10D933CE70C8DF_97() { return &___A8A491E4CED49AE0027560476C10D933CE70C8DF_97; } inline void set_A8A491E4CED49AE0027560476C10D933CE70C8DF_97(__StaticArrayInitTypeSizeU3D1018_t7825BE1556EFF874DAFDC230EB69C85A48DBCBC4 value) { ___A8A491E4CED49AE0027560476C10D933CE70C8DF_97 = value; } inline static int32_t get_offset_of_AC791C4F39504D1184B73478943D0636258DA7B1_98() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___AC791C4F39504D1184B73478943D0636258DA7B1_98)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_AC791C4F39504D1184B73478943D0636258DA7B1_98() const { return ___AC791C4F39504D1184B73478943D0636258DA7B1_98; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_AC791C4F39504D1184B73478943D0636258DA7B1_98() { return &___AC791C4F39504D1184B73478943D0636258DA7B1_98; } inline void set_AC791C4F39504D1184B73478943D0636258DA7B1_98(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___AC791C4F39504D1184B73478943D0636258DA7B1_98 = value; } inline static int32_t get_offset_of_AFCD4E1211233E99373A3367B23105A3D624B1F2_99() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___AFCD4E1211233E99373A3367B23105A3D624B1F2_99)); } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A get_AFCD4E1211233E99373A3367B23105A3D624B1F2_99() const { return ___AFCD4E1211233E99373A3367B23105A3D624B1F2_99; } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A * get_address_of_AFCD4E1211233E99373A3367B23105A3D624B1F2_99() { return &___AFCD4E1211233E99373A3367B23105A3D624B1F2_99; } inline void set_AFCD4E1211233E99373A3367B23105A3D624B1F2_99(__StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A value) { ___AFCD4E1211233E99373A3367B23105A3D624B1F2_99 = value; } inline static int32_t get_offset_of_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100() const { return ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100() { return &___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100; } inline void set_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_100 = value; } inline static int32_t get_offset_of_B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101() const { return ___B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101() { return &___B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101; } inline void set_B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___B4FBD02AAB5B16E0F4BD858DA5D9E348F3CE501D_101 = value; } inline static int32_t get_offset_of_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102() const { return ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102() { return &___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102; } inline void set_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_102 = value; } inline static int32_t get_offset_of_B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103)); } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 get_B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103() const { return ___B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103; } inline __StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 * get_address_of_B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103() { return &___B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103; } inline void set_B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103(__StaticArrayInitTypeSizeU3D4096_t48AD4C96663434746AEF5C2251003E817CC5FD23 value) { ___B6002BBF29B2704922EC3BBF0F9EE40ABF185D6B_103 = value; } inline static int32_t get_offset_of_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104)); } inline __StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C get_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104() const { return ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104; } inline __StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C * get_address_of_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104() { return &___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104; } inline void set_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104(__StaticArrayInitTypeSizeU3D998_t8A5C9782706B510180A1B9C9F7E96F8F48421B8C value) { ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_104 = value; } inline static int32_t get_offset_of_B8864ACB9DD69E3D42151513C840AAE270BF21C8_105() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_105)); } inline __StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA get_B8864ACB9DD69E3D42151513C840AAE270BF21C8_105() const { return ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_105; } inline __StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA * get_address_of_B8864ACB9DD69E3D42151513C840AAE270BF21C8_105() { return &___B8864ACB9DD69E3D42151513C840AAE270BF21C8_105; } inline void set_B8864ACB9DD69E3D42151513C840AAE270BF21C8_105(__StaticArrayInitTypeSizeU3D162_tFFF125F871C6A7DE42BE37AC907E2E2149A861AA value) { ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_105 = value; } inline static int32_t get_offset_of_B8F87834C3597B2EEF22BA6D3A392CC925636401_106() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B8F87834C3597B2EEF22BA6D3A392CC925636401_106)); } inline __StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7 get_B8F87834C3597B2EEF22BA6D3A392CC925636401_106() const { return ___B8F87834C3597B2EEF22BA6D3A392CC925636401_106; } inline __StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7 * get_address_of_B8F87834C3597B2EEF22BA6D3A392CC925636401_106() { return &___B8F87834C3597B2EEF22BA6D3A392CC925636401_106; } inline void set_B8F87834C3597B2EEF22BA6D3A392CC925636401_106(__StaticArrayInitTypeSizeU3D360_tFF8371303424DEBAE608051BAA970E5AFB409DF7 value) { ___B8F87834C3597B2EEF22BA6D3A392CC925636401_106 = value; } inline static int32_t get_offset_of_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107() const { return ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107() { return &___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107; } inline void set_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_107 = value; } inline static int32_t get_offset_of_BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108)); } inline __StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63 get_BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108() const { return ___BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108; } inline __StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63 * get_address_of_BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108() { return &___BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108; } inline void set_BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108(__StaticArrayInitTypeSizeU3D20_t4B48985ED9F1499360D72CB311F3EB54FB7C4B63 value) { ___BE1BDEC0AA74B4DCB079943E70528096CCA985F8_108 = value; } inline static int32_t get_offset_of_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109() const { return ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109() { return &___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109; } inline void set_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_109 = value; } inline static int32_t get_offset_of_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110() const { return ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110() { return &___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110; } inline void set_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_110 = value; } inline static int32_t get_offset_of_BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111() const { return ___BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111() { return &___BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111; } inline void set_BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___BF477463CE2F5EF38FC4C644BBBF4DF109E7670A_111 = value; } inline static int32_t get_offset_of_BF5EB60806ECB74EE484105DD9D6F463BF994867_112() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___BF5EB60806ECB74EE484105DD9D6F463BF994867_112)); } inline __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 get_BF5EB60806ECB74EE484105DD9D6F463BF994867_112() const { return ___BF5EB60806ECB74EE484105DD9D6F463BF994867_112; } inline __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 * get_address_of_BF5EB60806ECB74EE484105DD9D6F463BF994867_112() { return &___BF5EB60806ECB74EE484105DD9D6F463BF994867_112; } inline void set_BF5EB60806ECB74EE484105DD9D6F463BF994867_112(__StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 value) { ___BF5EB60806ECB74EE484105DD9D6F463BF994867_112 = value; } inline static int32_t get_offset_of_C1A1100642BA9685B30A84D97348484E14AA1865_113() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___C1A1100642BA9685B30A84D97348484E14AA1865_113)); } inline int64_t get_C1A1100642BA9685B30A84D97348484E14AA1865_113() const { return ___C1A1100642BA9685B30A84D97348484E14AA1865_113; } inline int64_t* get_address_of_C1A1100642BA9685B30A84D97348484E14AA1865_113() { return &___C1A1100642BA9685B30A84D97348484E14AA1865_113; } inline void set_C1A1100642BA9685B30A84D97348484E14AA1865_113(int64_t value) { ___C1A1100642BA9685B30A84D97348484E14AA1865_113 = value; } inline static int32_t get_offset_of_C6F364A0AD934EFED8909446C215752E565D77C1_114() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___C6F364A0AD934EFED8909446C215752E565D77C1_114)); } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 get_C6F364A0AD934EFED8909446C215752E565D77C1_114() const { return ___C6F364A0AD934EFED8909446C215752E565D77C1_114; } inline __StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 * get_address_of_C6F364A0AD934EFED8909446C215752E565D77C1_114() { return &___C6F364A0AD934EFED8909446C215752E565D77C1_114; } inline void set_C6F364A0AD934EFED8909446C215752E565D77C1_114(__StaticArrayInitTypeSizeU3D16_t35B2E1DB11C9D3150BF800DC30A2808C4F1A1341 value) { ___C6F364A0AD934EFED8909446C215752E565D77C1_114 = value; } inline static int32_t get_offset_of_CE5835130F5277F63D716FC9115526B0AC68FFAD_115() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___CE5835130F5277F63D716FC9115526B0AC68FFAD_115)); } inline __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F get_CE5835130F5277F63D716FC9115526B0AC68FFAD_115() const { return ___CE5835130F5277F63D716FC9115526B0AC68FFAD_115; } inline __StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F * get_address_of_CE5835130F5277F63D716FC9115526B0AC68FFAD_115() { return &___CE5835130F5277F63D716FC9115526B0AC68FFAD_115; } inline void set_CE5835130F5277F63D716FC9115526B0AC68FFAD_115(__StaticArrayInitTypeSizeU3D174_t58EBFEBC3E6F34CF7C54ED51E8113E34B876351F value) { ___CE5835130F5277F63D716FC9115526B0AC68FFAD_115 = value; } inline static int32_t get_offset_of_CE93C35B755802BC4B3D180716B048FC61701EF7_116() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___CE93C35B755802BC4B3D180716B048FC61701EF7_116)); } inline __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 get_CE93C35B755802BC4B3D180716B048FC61701EF7_116() const { return ___CE93C35B755802BC4B3D180716B048FC61701EF7_116; } inline __StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 * get_address_of_CE93C35B755802BC4B3D180716B048FC61701EF7_116() { return &___CE93C35B755802BC4B3D180716B048FC61701EF7_116; } inline void set_CE93C35B755802BC4B3D180716B048FC61701EF7_116(__StaticArrayInitTypeSizeU3D6_tC937DCE458F6AE4186120B4DDF95463176C75C78 value) { ___CE93C35B755802BC4B3D180716B048FC61701EF7_116 = value; } inline static int32_t get_offset_of_CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117() const { return ___CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117() { return &___CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117; } inline void set_CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___CF0B42666EF5E37EDEA0AB8E173E42C196D03814_117 = value; } inline static int32_t get_offset_of_D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118() const { return ___D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118() { return &___D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118; } inline void set_D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___D002CBBE1FF33721AF7C4D1D3ECAD1B7DB5258B7_118 = value; } inline static int32_t get_offset_of_D117188BE8D4609C0D531C51B0BB911A4219DEBE_119() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_119)); } inline __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 get_D117188BE8D4609C0D531C51B0BB911A4219DEBE_119() const { return ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_119; } inline __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 * get_address_of_D117188BE8D4609C0D531C51B0BB911A4219DEBE_119() { return &___D117188BE8D4609C0D531C51B0BB911A4219DEBE_119; } inline void set_D117188BE8D4609C0D531C51B0BB911A4219DEBE_119(__StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 value) { ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_119 = value; } inline static int32_t get_offset_of_D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120)); } inline __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 get_D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120() const { return ___D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120; } inline __StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 * get_address_of_D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120() { return &___D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120; } inline void set_D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120(__StaticArrayInitTypeSizeU3D32_t06FF35439BDF1A6AAB50820787FA5D7A4FA09472 value) { ___D28E8ABDBD777A482CE0EE5C24814ACAE52AABFE_120 = value; } inline static int32_t get_offset_of_D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121)); } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F get_D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121() const { return ___D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121; } inline __StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F * get_address_of_D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121() { return &___D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121; } inline void set_D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121(__StaticArrayInitTypeSizeU3D256_t9003B1E1E8C82BC25ADE7407C58A314C292B326F value) { ___D2C5BAE967587C6F3D9F2C4551911E0575A1101F_121 = value; } inline static int32_t get_offset_of_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122)); } inline __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F get_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122() const { return ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122; } inline __StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F * get_address_of_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122() { return &___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122; } inline void set_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122(__StaticArrayInitTypeSizeU3D44_t1383A9A990CD22E4246B656157D17C8051BFAD7F value) { ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_122 = value; } inline static int32_t get_offset_of_DA19DB47B583EFCF7825D2E39D661D2354F28219_123() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___DA19DB47B583EFCF7825D2E39D661D2354F28219_123)); } inline __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB get_DA19DB47B583EFCF7825D2E39D661D2354F28219_123() const { return ___DA19DB47B583EFCF7825D2E39D661D2354F28219_123; } inline __StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB * get_address_of_DA19DB47B583EFCF7825D2E39D661D2354F28219_123() { return &___DA19DB47B583EFCF7825D2E39D661D2354F28219_123; } inline void set_DA19DB47B583EFCF7825D2E39D661D2354F28219_123(__StaticArrayInitTypeSizeU3D76_t83BE44A74AC13CD15474DA7726C9C92BD317CFFB value) { ___DA19DB47B583EFCF7825D2E39D661D2354F28219_123 = value; } inline static int32_t get_offset_of_DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124)); } inline __StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10 get_DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124() const { return ___DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124; } inline __StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10 * get_address_of_DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124() { return &___DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124; } inline void set_DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124(__StaticArrayInitTypeSizeU3D56_tE92B90DB812A206A3F9FED2827695B30D2F06D10 value) { ___DC2B830D8CD59AD6A4E4332D21CA0DCA2821AD82_124 = value; } inline static int32_t get_offset_of_DD3AEFEADB1CD615F3017763F1568179FEE640B0_125() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_125)); } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A get_DD3AEFEADB1CD615F3017763F1568179FEE640B0_125() const { return ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_125; } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A * get_address_of_DD3AEFEADB1CD615F3017763F1568179FEE640B0_125() { return &___DD3AEFEADB1CD615F3017763F1568179FEE640B0_125; } inline void set_DD3AEFEADB1CD615F3017763F1568179FEE640B0_125(__StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A value) { ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_125 = value; } inline static int32_t get_offset_of_E1827270A5FE1C85F5352A66FD87BA747213D006_126() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___E1827270A5FE1C85F5352A66FD87BA747213D006_126)); } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 get_E1827270A5FE1C85F5352A66FD87BA747213D006_126() const { return ___E1827270A5FE1C85F5352A66FD87BA747213D006_126; } inline __StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 * get_address_of_E1827270A5FE1C85F5352A66FD87BA747213D006_126() { return &___E1827270A5FE1C85F5352A66FD87BA747213D006_126; } inline void set_E1827270A5FE1C85F5352A66FD87BA747213D006_126(__StaticArrayInitTypeSizeU3D36_t553C250FA8609975E44273C4AD8F28E487272E17 value) { ___E1827270A5FE1C85F5352A66FD87BA747213D006_126 = value; } inline static int32_t get_offset_of_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127() const { return ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127() { return &___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127; } inline void set_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_127 = value; } inline static int32_t get_offset_of_E75835D001C843F156FBA01B001DFE1B8029AC17_128() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___E75835D001C843F156FBA01B001DFE1B8029AC17_128)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_E75835D001C843F156FBA01B001DFE1B8029AC17_128() const { return ___E75835D001C843F156FBA01B001DFE1B8029AC17_128; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_E75835D001C843F156FBA01B001DFE1B8029AC17_128() { return &___E75835D001C843F156FBA01B001DFE1B8029AC17_128; } inline void set_E75835D001C843F156FBA01B001DFE1B8029AC17_128(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___E75835D001C843F156FBA01B001DFE1B8029AC17_128 = value; } inline static int32_t get_offset_of_E92B39D8233061927D9ACDE54665E68E7535635A_129() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___E92B39D8233061927D9ACDE54665E68E7535635A_129)); } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A get_E92B39D8233061927D9ACDE54665E68E7535635A_129() const { return ___E92B39D8233061927D9ACDE54665E68E7535635A_129; } inline __StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A * get_address_of_E92B39D8233061927D9ACDE54665E68E7535635A_129() { return &___E92B39D8233061927D9ACDE54665E68E7535635A_129; } inline void set_E92B39D8233061927D9ACDE54665E68E7535635A_129(__StaticArrayInitTypeSizeU3D52_tF7B918A088A367994FBAEB73123296D8929B543A value) { ___E92B39D8233061927D9ACDE54665E68E7535635A_129 = value; } inline static int32_t get_offset_of_EA9506959484C55CFE0C139C624DF6060E285866_130() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EA9506959484C55CFE0C139C624DF6060E285866_130)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_EA9506959484C55CFE0C139C624DF6060E285866_130() const { return ___EA9506959484C55CFE0C139C624DF6060E285866_130; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_EA9506959484C55CFE0C139C624DF6060E285866_130() { return &___EA9506959484C55CFE0C139C624DF6060E285866_130; } inline void set_EA9506959484C55CFE0C139C624DF6060E285866_130(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___EA9506959484C55CFE0C139C624DF6060E285866_130 = value; } inline static int32_t get_offset_of_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131)); } inline __StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7 get_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131() const { return ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131; } inline __StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7 * get_address_of_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131() { return &___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131; } inline void set_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131(__StaticArrayInitTypeSizeU3D262_t93124A1A3E9EDF7F1F305BD2FC57372646F3CFD7 value) { ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_131 = value; } inline static int32_t get_offset_of_EBF68F411848D603D059DFDEA2321C5A5EA78044_132() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EBF68F411848D603D059DFDEA2321C5A5EA78044_132)); } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 get_EBF68F411848D603D059DFDEA2321C5A5EA78044_132() const { return ___EBF68F411848D603D059DFDEA2321C5A5EA78044_132; } inline __StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 * get_address_of_EBF68F411848D603D059DFDEA2321C5A5EA78044_132() { return &___EBF68F411848D603D059DFDEA2321C5A5EA78044_132; } inline void set_EBF68F411848D603D059DFDEA2321C5A5EA78044_132(__StaticArrayInitTypeSizeU3D64_tC44517F575DC9AEC7589A864FEA072030961DAF6 value) { ___EBF68F411848D603D059DFDEA2321C5A5EA78044_132 = value; } inline static int32_t get_offset_of_EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133)); } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C get_EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133() const { return ___EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133; } inline __StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C * get_address_of_EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133() { return &___EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133; } inline void set_EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133(__StaticArrayInitTypeSizeU3D10_t39E3D966A21885323F15EB866ABDE668EA1ED52C value) { ___EC5BB4F59D4B9B2E9ECD3904D44A8275F23AFB11_133 = value; } inline static int32_t get_offset_of_EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134)); } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E get_EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134() const { return ___EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134; } inline __StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E * get_address_of_EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134() { return &___EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134; } inline void set_EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134(__StaticArrayInitTypeSizeU3D3_t651350E6AC00D0836A5D0539D0D68852BE81E08E value) { ___EC83FB16C20052BEE2B4025159BC2ED45C9C70C3_134 = value; } inline static int32_t get_offset_of_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135() const { return ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135() { return &___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135; } inline void set_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_135 = value; } inline static int32_t get_offset_of_F06E829E62F3AFBC045D064E10A4F5DF7C969612_136() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_136)); } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 get_F06E829E62F3AFBC045D064E10A4F5DF7C969612_136() const { return ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_136; } inline __StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 * get_address_of_F06E829E62F3AFBC045D064E10A4F5DF7C969612_136() { return &___F06E829E62F3AFBC045D064E10A4F5DF7C969612_136; } inline void set_F06E829E62F3AFBC045D064E10A4F5DF7C969612_136(__StaticArrayInitTypeSizeU3D40_t0453B23B081EF301CB1E3167001650AD0C490F04 value) { ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_136 = value; } inline static int32_t get_offset_of_F073AA332018FDA0D572E99448FFF1D6422BD520_137() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F073AA332018FDA0D572E99448FFF1D6422BD520_137)); } inline __StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5 get_F073AA332018FDA0D572E99448FFF1D6422BD520_137() const { return ___F073AA332018FDA0D572E99448FFF1D6422BD520_137; } inline __StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5 * get_address_of_F073AA332018FDA0D572E99448FFF1D6422BD520_137() { return &___F073AA332018FDA0D572E99448FFF1D6422BD520_137; } inline void set_F073AA332018FDA0D572E99448FFF1D6422BD520_137(__StaticArrayInitTypeSizeU3D11614_tDF34959BE752359A89A4A577B8798D2D66A5E7F5 value) { ___F073AA332018FDA0D572E99448FFF1D6422BD520_137 = value; } inline static int32_t get_offset_of_F34B0E10653402E8F788F8BC3F7CD7090928A429_138() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F34B0E10653402E8F788F8BC3F7CD7090928A429_138)); } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 get_F34B0E10653402E8F788F8BC3F7CD7090928A429_138() const { return ___F34B0E10653402E8F788F8BC3F7CD7090928A429_138; } inline __StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 * get_address_of_F34B0E10653402E8F788F8BC3F7CD7090928A429_138() { return &___F34B0E10653402E8F788F8BC3F7CD7090928A429_138; } inline void set_F34B0E10653402E8F788F8BC3F7CD7090928A429_138(__StaticArrayInitTypeSizeU3D120_tBA46FD2E9DA153FD8457EE7F425E8ECC517EA252 value) { ___F34B0E10653402E8F788F8BC3F7CD7090928A429_138 = value; } inline static int32_t get_offset_of_F37E34BEADB04F34FCC31078A59F49856CA83D5B_139() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_139)); } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 get_F37E34BEADB04F34FCC31078A59F49856CA83D5B_139() const { return ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_139; } inline __StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 * get_address_of_F37E34BEADB04F34FCC31078A59F49856CA83D5B_139() { return &___F37E34BEADB04F34FCC31078A59F49856CA83D5B_139; } inline void set_F37E34BEADB04F34FCC31078A59F49856CA83D5B_139(__StaticArrayInitTypeSizeU3D72_tF9B2DE61B68289FA0233B6E305B08B2FCD612FA1 value) { ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_139 = value; } inline static int32_t get_offset_of_F512A9ABF88066AAEB92684F95CC05D8101B462B_140() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F512A9ABF88066AAEB92684F95CC05D8101B462B_140)); } inline __StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6 get_F512A9ABF88066AAEB92684F95CC05D8101B462B_140() const { return ___F512A9ABF88066AAEB92684F95CC05D8101B462B_140; } inline __StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6 * get_address_of_F512A9ABF88066AAEB92684F95CC05D8101B462B_140() { return &___F512A9ABF88066AAEB92684F95CC05D8101B462B_140; } inline void set_F512A9ABF88066AAEB92684F95CC05D8101B462B_140(__StaticArrayInitTypeSizeU3D94_t23554D8B96399688002A3BE81C7C15EFB011DEC6 value) { ___F512A9ABF88066AAEB92684F95CC05D8101B462B_140 = value; } inline static int32_t get_offset_of_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141)); } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 get_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141() const { return ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141; } inline __StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 * get_address_of_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141() { return &___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141; } inline void set_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141(__StaticArrayInitTypeSizeU3D12_tB4B4C95019D88097B57DE7B50445942256BF2879 value) { ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_141 = value; } inline static int32_t get_offset_of_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A_StaticFields, ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142)); } inline __StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D get_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142() const { return ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142; } inline __StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D * get_address_of_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142() { return &___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142; } inline void set_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142(__StaticArrayInitTypeSizeU3D2350_t96984AEF232104302694B7EFDA3F92BC42BF207D value) { ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_142 = value; } }; // System.Base64FormattingOptions struct Base64FormattingOptions_t3D2B3AE9295A0F8B2C84D603C3178659D1C11ADE { public: // System.Int32 System.Base64FormattingOptions::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Base64FormattingOptions_t3D2B3AE9295A0F8B2C84D603C3178659D1C11ADE, ___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.Hashtable struct Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 : public RuntimeObject { public: // System.Collections.Hashtable_bucket[] System.Collections.Hashtable::buckets bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* ___buckets_10; // System.Int32 System.Collections.Hashtable::count int32_t ___count_11; // System.Int32 System.Collections.Hashtable::occupancy int32_t ___occupancy_12; // System.Int32 System.Collections.Hashtable::loadsize int32_t ___loadsize_13; // System.Single System.Collections.Hashtable::loadFactor float ___loadFactor_14; // System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Hashtable::version int32_t ___version_15; // System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Hashtable::isWriterInProgress bool ___isWriterInProgress_16; // System.Collections.ICollection System.Collections.Hashtable::keys RuntimeObject* ___keys_17; // System.Collections.ICollection System.Collections.Hashtable::values RuntimeObject* ___values_18; // System.Collections.IEqualityComparer System.Collections.Hashtable::_keycomparer RuntimeObject* ____keycomparer_19; // System.Object System.Collections.Hashtable::_syncRoot RuntimeObject * ____syncRoot_20; public: inline static int32_t get_offset_of_buckets_10() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___buckets_10)); } inline bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* get_buckets_10() const { return ___buckets_10; } inline bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A** get_address_of_buckets_10() { return &___buckets_10; } inline void set_buckets_10(bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* value) { ___buckets_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___buckets_10), (void*)value); } inline static int32_t get_offset_of_count_11() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___count_11)); } inline int32_t get_count_11() const { return ___count_11; } inline int32_t* get_address_of_count_11() { return &___count_11; } inline void set_count_11(int32_t value) { ___count_11 = value; } inline static int32_t get_offset_of_occupancy_12() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___occupancy_12)); } inline int32_t get_occupancy_12() const { return ___occupancy_12; } inline int32_t* get_address_of_occupancy_12() { return &___occupancy_12; } inline void set_occupancy_12(int32_t value) { ___occupancy_12 = value; } inline static int32_t get_offset_of_loadsize_13() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___loadsize_13)); } inline int32_t get_loadsize_13() const { return ___loadsize_13; } inline int32_t* get_address_of_loadsize_13() { return &___loadsize_13; } inline void set_loadsize_13(int32_t value) { ___loadsize_13 = value; } inline static int32_t get_offset_of_loadFactor_14() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___loadFactor_14)); } inline float get_loadFactor_14() const { return ___loadFactor_14; } inline float* get_address_of_loadFactor_14() { return &___loadFactor_14; } inline void set_loadFactor_14(float value) { ___loadFactor_14 = value; } inline static int32_t get_offset_of_version_15() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___version_15)); } inline int32_t get_version_15() const { return ___version_15; } inline int32_t* get_address_of_version_15() { return &___version_15; } inline void set_version_15(int32_t value) { ___version_15 = value; } inline static int32_t get_offset_of_isWriterInProgress_16() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___isWriterInProgress_16)); } inline bool get_isWriterInProgress_16() const { return ___isWriterInProgress_16; } inline bool* get_address_of_isWriterInProgress_16() { return &___isWriterInProgress_16; } inline void set_isWriterInProgress_16(bool value) { ___isWriterInProgress_16 = value; } inline static int32_t get_offset_of_keys_17() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___keys_17)); } inline RuntimeObject* get_keys_17() const { return ___keys_17; } inline RuntimeObject** get_address_of_keys_17() { return &___keys_17; } inline void set_keys_17(RuntimeObject* value) { ___keys_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___keys_17), (void*)value); } inline static int32_t get_offset_of_values_18() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ___values_18)); } inline RuntimeObject* get_values_18() const { return ___values_18; } inline RuntimeObject** get_address_of_values_18() { return &___values_18; } inline void set_values_18(RuntimeObject* value) { ___values_18 = value; Il2CppCodeGenWriteBarrier((void**)(&___values_18), (void*)value); } inline static int32_t get_offset_of__keycomparer_19() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ____keycomparer_19)); } inline RuntimeObject* get__keycomparer_19() const { return ____keycomparer_19; } inline RuntimeObject** get_address_of__keycomparer_19() { return &____keycomparer_19; } inline void set__keycomparer_19(RuntimeObject* value) { ____keycomparer_19 = value; Il2CppCodeGenWriteBarrier((void**)(&____keycomparer_19), (void*)value); } inline static int32_t get_offset_of__syncRoot_20() { return static_cast<int32_t>(offsetof(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9, ____syncRoot_20)); } inline RuntimeObject * get__syncRoot_20() const { return ____syncRoot_20; } inline RuntimeObject ** get_address_of__syncRoot_20() { return &____syncRoot_20; } inline void set__syncRoot_20(RuntimeObject * value) { ____syncRoot_20 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_20), (void*)value); } }; // System.Configuration.Assemblies.AssemblyHashAlgorithm struct AssemblyHashAlgorithm_t31E4F1BC642CF668706C9D0FBD9DFDF5EE01CEB9 { public: // System.Int32 System.Configuration.Assemblies.AssemblyHashAlgorithm::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyHashAlgorithm_t31E4F1BC642CF668706C9D0FBD9DFDF5EE01CEB9, ___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.Configuration.Assemblies.AssemblyVersionCompatibility struct AssemblyVersionCompatibility_tEA062AB37A9A750B33F6CA2898EEF03A4EEA496C { public: // System.Int32 System.Configuration.Assemblies.AssemblyVersionCompatibility::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyVersionCompatibility_tEA062AB37A9A750B33F6CA2898EEF03A4EEA496C, ___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.ConsoleColor struct ConsoleColor_t2E01225594844040BE12231E6A14F85FCB78C597 { public: // System.Int32 System.ConsoleColor::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleColor_t2E01225594844040BE12231E6A14F85FCB78C597, ___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.ConsoleKey struct ConsoleKey_t0196714F06D59B40580F7B85EA2663D81394682C { public: // System.Int32 System.ConsoleKey::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleKey_t0196714F06D59B40580F7B85EA2663D81394682C, ___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.ConsoleModifiers struct ConsoleModifiers_tCB55098B71E4DCCEE972B1056E64D1B8AB9EAB34 { public: // System.Int32 System.ConsoleModifiers::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleModifiers_tCB55098B71E4DCCEE972B1056E64D1B8AB9EAB34, ___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.ConsoleScreenBufferInfo struct ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F { public: // System.Coord System.ConsoleScreenBufferInfo::Size Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A ___Size_0; // System.Coord System.ConsoleScreenBufferInfo::CursorPosition Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A ___CursorPosition_1; // System.Int16 System.ConsoleScreenBufferInfo::Attribute int16_t ___Attribute_2; // System.SmallRect System.ConsoleScreenBufferInfo::Window SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532 ___Window_3; // System.Coord System.ConsoleScreenBufferInfo::MaxWindowSize Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A ___MaxWindowSize_4; public: inline static int32_t get_offset_of_Size_0() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F, ___Size_0)); } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A get_Size_0() const { return ___Size_0; } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A * get_address_of_Size_0() { return &___Size_0; } inline void set_Size_0(Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A value) { ___Size_0 = value; } inline static int32_t get_offset_of_CursorPosition_1() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F, ___CursorPosition_1)); } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A get_CursorPosition_1() const { return ___CursorPosition_1; } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A * get_address_of_CursorPosition_1() { return &___CursorPosition_1; } inline void set_CursorPosition_1(Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A value) { ___CursorPosition_1 = value; } inline static int32_t get_offset_of_Attribute_2() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F, ___Attribute_2)); } inline int16_t get_Attribute_2() const { return ___Attribute_2; } inline int16_t* get_address_of_Attribute_2() { return &___Attribute_2; } inline void set_Attribute_2(int16_t value) { ___Attribute_2 = value; } inline static int32_t get_offset_of_Window_3() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F, ___Window_3)); } inline SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532 get_Window_3() const { return ___Window_3; } inline SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532 * get_address_of_Window_3() { return &___Window_3; } inline void set_Window_3(SmallRect_t18C271B0FF660F6ED4EC6D99B26C4D35F51CA532 value) { ___Window_3 = value; } inline static int32_t get_offset_of_MaxWindowSize_4() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_tA8045B7C44EF25956D3B0847F24465E9CF18954F, ___MaxWindowSize_4)); } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A get_MaxWindowSize_4() const { return ___MaxWindowSize_4; } inline Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A * get_address_of_MaxWindowSize_4() { return &___MaxWindowSize_4; } inline void set_MaxWindowSize_4(Coord_t6CEFF682745DD47B1B4DA3ED268C0933021AC34A value) { ___MaxWindowSize_4 = value; } }; // System.ConsoleSpecialKey struct ConsoleSpecialKey_t367BA17429AFB5DE682EB33A1AD6085EDFD65B6F { public: // System.Int32 System.ConsoleSpecialKey::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleSpecialKey_t367BA17429AFB5DE682EB33A1AD6085EDFD65B6F, ___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.DTSubStringType struct DTSubStringType_tA15E6919CA4FEC2739587ADF93B5F8D550A9BC4E { public: // System.Int32 System.DTSubStringType::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DTSubStringType_tA15E6919CA4FEC2739587ADF93B5F8D550A9BC4E, ___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.DateTimeKind struct DateTimeKind_t6BC23532930B812ABFCCEB2B61BC233712B180EE { public: // System.Int32 System.DateTimeKind::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeKind_t6BC23532930B812ABFCCEB2B61BC233712B180EE, ___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.DayOfWeek struct DayOfWeek_tE7CD4C3124650FF8B2AD3E9DBD34B9896927DFF8 { public: // System.Int32 System.DayOfWeek::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DayOfWeek_tE7CD4C3124650FF8B2AD3E9DBD34B9896927DFF8, ___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.Delegate struct Delegate_t : public RuntimeObject { public: // System.IntPtr System.Delegate::method_ptr Il2CppMethodPointer ___method_ptr_0; // System.IntPtr System.Delegate::invoke_impl intptr_t ___invoke_impl_1; // System.Object System.Delegate::m_target RuntimeObject * ___m_target_2; // System.IntPtr System.Delegate::method intptr_t ___method_3; // System.IntPtr System.Delegate::delegate_trampoline intptr_t ___delegate_trampoline_4; // System.IntPtr System.Delegate::extra_arg intptr_t ___extra_arg_5; // System.IntPtr System.Delegate::method_code intptr_t ___method_code_6; // System.Reflection.MethodInfo System.Delegate::method_info MethodInfo_t * ___method_info_7; // System.Reflection.MethodInfo System.Delegate::original_method_info MethodInfo_t * ___original_method_info_8; // System.DelegateData System.Delegate::data DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9; // System.Boolean System.Delegate::method_is_virtual bool ___method_is_virtual_10; public: inline static int32_t get_offset_of_method_ptr_0() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_ptr_0)); } inline Il2CppMethodPointer get_method_ptr_0() const { return ___method_ptr_0; } inline Il2CppMethodPointer* get_address_of_method_ptr_0() { return &___method_ptr_0; } inline void set_method_ptr_0(Il2CppMethodPointer value) { ___method_ptr_0 = value; } inline static int32_t get_offset_of_invoke_impl_1() { return static_cast<int32_t>(offsetof(Delegate_t, ___invoke_impl_1)); } inline intptr_t get_invoke_impl_1() const { return ___invoke_impl_1; } inline intptr_t* get_address_of_invoke_impl_1() { return &___invoke_impl_1; } inline void set_invoke_impl_1(intptr_t value) { ___invoke_impl_1 = value; } inline static int32_t get_offset_of_m_target_2() { return static_cast<int32_t>(offsetof(Delegate_t, ___m_target_2)); } inline RuntimeObject * get_m_target_2() const { return ___m_target_2; } inline RuntimeObject ** get_address_of_m_target_2() { return &___m_target_2; } inline void set_m_target_2(RuntimeObject * value) { ___m_target_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_target_2), (void*)value); } inline static int32_t get_offset_of_method_3() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_3)); } inline intptr_t get_method_3() const { return ___method_3; } inline intptr_t* get_address_of_method_3() { return &___method_3; } inline void set_method_3(intptr_t value) { ___method_3 = value; } inline static int32_t get_offset_of_delegate_trampoline_4() { return static_cast<int32_t>(offsetof(Delegate_t, ___delegate_trampoline_4)); } inline intptr_t get_delegate_trampoline_4() const { return ___delegate_trampoline_4; } inline intptr_t* get_address_of_delegate_trampoline_4() { return &___delegate_trampoline_4; } inline void set_delegate_trampoline_4(intptr_t value) { ___delegate_trampoline_4 = value; } inline static int32_t get_offset_of_extra_arg_5() { return static_cast<int32_t>(offsetof(Delegate_t, ___extra_arg_5)); } inline intptr_t get_extra_arg_5() const { return ___extra_arg_5; } inline intptr_t* get_address_of_extra_arg_5() { return &___extra_arg_5; } inline void set_extra_arg_5(intptr_t value) { ___extra_arg_5 = value; } inline static int32_t get_offset_of_method_code_6() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_code_6)); } inline intptr_t get_method_code_6() const { return ___method_code_6; } inline intptr_t* get_address_of_method_code_6() { return &___method_code_6; } inline void set_method_code_6(intptr_t value) { ___method_code_6 = value; } inline static int32_t get_offset_of_method_info_7() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_info_7)); } inline MethodInfo_t * get_method_info_7() const { return ___method_info_7; } inline MethodInfo_t ** get_address_of_method_info_7() { return &___method_info_7; } inline void set_method_info_7(MethodInfo_t * value) { ___method_info_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___method_info_7), (void*)value); } inline static int32_t get_offset_of_original_method_info_8() { return static_cast<int32_t>(offsetof(Delegate_t, ___original_method_info_8)); } inline MethodInfo_t * get_original_method_info_8() const { return ___original_method_info_8; } inline MethodInfo_t ** get_address_of_original_method_info_8() { return &___original_method_info_8; } inline void set_original_method_info_8(MethodInfo_t * value) { ___original_method_info_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___original_method_info_8), (void*)value); } inline static int32_t get_offset_of_data_9() { return static_cast<int32_t>(offsetof(Delegate_t, ___data_9)); } inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * get_data_9() const { return ___data_9; } inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE ** get_address_of_data_9() { return &___data_9; } inline void set_data_9(DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * value) { ___data_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___data_9), (void*)value); } inline static int32_t get_offset_of_method_is_virtual_10() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_is_virtual_10)); } inline bool get_method_is_virtual_10() const { return ___method_is_virtual_10; } inline bool* get_address_of_method_is_virtual_10() { return &___method_is_virtual_10; } inline void set_method_is_virtual_10(bool value) { ___method_is_virtual_10 = value; } }; // Native definition for P/Invoke marshalling of System.Delegate struct Delegate_t_marshaled_pinvoke { intptr_t ___method_ptr_0; intptr_t ___invoke_impl_1; Il2CppIUnknown* ___m_target_2; intptr_t ___method_3; intptr_t ___delegate_trampoline_4; intptr_t ___extra_arg_5; intptr_t ___method_code_6; MethodInfo_t * ___method_info_7; MethodInfo_t * ___original_method_info_8; DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9; int32_t ___method_is_virtual_10; }; // Native definition for COM marshalling of System.Delegate struct Delegate_t_marshaled_com { intptr_t ___method_ptr_0; intptr_t ___invoke_impl_1; Il2CppIUnknown* ___m_target_2; intptr_t ___method_3; intptr_t ___delegate_trampoline_4; intptr_t ___extra_arg_5; intptr_t ___method_code_6; MethodInfo_t * ___method_info_7; MethodInfo_t * ___original_method_info_8; DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9; int32_t ___method_is_virtual_10; }; // System.Exception struct Exception_t : public RuntimeObject { public: // System.String System.Exception::_className String_t* ____className_1; // System.String System.Exception::_message String_t* ____message_2; // System.Collections.IDictionary System.Exception::_data RuntimeObject* ____data_3; // System.Exception System.Exception::_innerException Exception_t * ____innerException_4; // System.String System.Exception::_helpURL String_t* ____helpURL_5; // System.Object System.Exception::_stackTrace RuntimeObject * ____stackTrace_6; // System.String System.Exception::_stackTraceString String_t* ____stackTraceString_7; // System.String System.Exception::_remoteStackTraceString String_t* ____remoteStackTraceString_8; // System.Int32 System.Exception::_remoteStackIndex int32_t ____remoteStackIndex_9; // System.Object System.Exception::_dynamicMethods RuntimeObject * ____dynamicMethods_10; // System.Int32 System.Exception::_HResult int32_t ____HResult_11; // System.String System.Exception::_source String_t* ____source_12; // System.Runtime.Serialization.SafeSerializationManager System.Exception::_safeSerializationManager SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; // System.Diagnostics.StackTrace[] System.Exception::captured_traces StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; // System.IntPtr[] System.Exception::native_trace_ips IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* ___native_trace_ips_15; public: inline static int32_t get_offset_of__className_1() { return static_cast<int32_t>(offsetof(Exception_t, ____className_1)); } inline String_t* get__className_1() const { return ____className_1; } inline String_t** get_address_of__className_1() { return &____className_1; } inline void set__className_1(String_t* value) { ____className_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____className_1), (void*)value); } inline static int32_t get_offset_of__message_2() { return static_cast<int32_t>(offsetof(Exception_t, ____message_2)); } inline String_t* get__message_2() const { return ____message_2; } inline String_t** get_address_of__message_2() { return &____message_2; } inline void set__message_2(String_t* value) { ____message_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____message_2), (void*)value); } inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(Exception_t, ____data_3)); } inline RuntimeObject* get__data_3() const { return ____data_3; } inline RuntimeObject** get_address_of__data_3() { return &____data_3; } inline void set__data_3(RuntimeObject* value) { ____data_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____data_3), (void*)value); } inline static int32_t get_offset_of__innerException_4() { return static_cast<int32_t>(offsetof(Exception_t, ____innerException_4)); } inline Exception_t * get__innerException_4() const { return ____innerException_4; } inline Exception_t ** get_address_of__innerException_4() { return &____innerException_4; } inline void set__innerException_4(Exception_t * value) { ____innerException_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____innerException_4), (void*)value); } inline static int32_t get_offset_of__helpURL_5() { return static_cast<int32_t>(offsetof(Exception_t, ____helpURL_5)); } inline String_t* get__helpURL_5() const { return ____helpURL_5; } inline String_t** get_address_of__helpURL_5() { return &____helpURL_5; } inline void set__helpURL_5(String_t* value) { ____helpURL_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____helpURL_5), (void*)value); } inline static int32_t get_offset_of__stackTrace_6() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTrace_6)); } inline RuntimeObject * get__stackTrace_6() const { return ____stackTrace_6; } inline RuntimeObject ** get_address_of__stackTrace_6() { return &____stackTrace_6; } inline void set__stackTrace_6(RuntimeObject * value) { ____stackTrace_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____stackTrace_6), (void*)value); } inline static int32_t get_offset_of__stackTraceString_7() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTraceString_7)); } inline String_t* get__stackTraceString_7() const { return ____stackTraceString_7; } inline String_t** get_address_of__stackTraceString_7() { return &____stackTraceString_7; } inline void set__stackTraceString_7(String_t* value) { ____stackTraceString_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____stackTraceString_7), (void*)value); } inline static int32_t get_offset_of__remoteStackTraceString_8() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackTraceString_8)); } inline String_t* get__remoteStackTraceString_8() const { return ____remoteStackTraceString_8; } inline String_t** get_address_of__remoteStackTraceString_8() { return &____remoteStackTraceString_8; } inline void set__remoteStackTraceString_8(String_t* value) { ____remoteStackTraceString_8 = value; Il2CppCodeGenWriteBarrier((void**)(&____remoteStackTraceString_8), (void*)value); } inline static int32_t get_offset_of__remoteStackIndex_9() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackIndex_9)); } inline int32_t get__remoteStackIndex_9() const { return ____remoteStackIndex_9; } inline int32_t* get_address_of__remoteStackIndex_9() { return &____remoteStackIndex_9; } inline void set__remoteStackIndex_9(int32_t value) { ____remoteStackIndex_9 = value; } inline static int32_t get_offset_of__dynamicMethods_10() { return static_cast<int32_t>(offsetof(Exception_t, ____dynamicMethods_10)); } inline RuntimeObject * get__dynamicMethods_10() const { return ____dynamicMethods_10; } inline RuntimeObject ** get_address_of__dynamicMethods_10() { return &____dynamicMethods_10; } inline void set__dynamicMethods_10(RuntimeObject * value) { ____dynamicMethods_10 = value; Il2CppCodeGenWriteBarrier((void**)(&____dynamicMethods_10), (void*)value); } inline static int32_t get_offset_of__HResult_11() { return static_cast<int32_t>(offsetof(Exception_t, ____HResult_11)); } inline int32_t get__HResult_11() const { return ____HResult_11; } inline int32_t* get_address_of__HResult_11() { return &____HResult_11; } inline void set__HResult_11(int32_t value) { ____HResult_11 = value; } inline static int32_t get_offset_of__source_12() { return static_cast<int32_t>(offsetof(Exception_t, ____source_12)); } inline String_t* get__source_12() const { return ____source_12; } inline String_t** get_address_of__source_12() { return &____source_12; } inline void set__source_12(String_t* value) { ____source_12 = value; Il2CppCodeGenWriteBarrier((void**)(&____source_12), (void*)value); } inline static int32_t get_offset_of__safeSerializationManager_13() { return static_cast<int32_t>(offsetof(Exception_t, ____safeSerializationManager_13)); } inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * get__safeSerializationManager_13() const { return ____safeSerializationManager_13; } inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 ** get_address_of__safeSerializationManager_13() { return &____safeSerializationManager_13; } inline void set__safeSerializationManager_13(SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * value) { ____safeSerializationManager_13 = value; Il2CppCodeGenWriteBarrier((void**)(&____safeSerializationManager_13), (void*)value); } inline static int32_t get_offset_of_captured_traces_14() { return static_cast<int32_t>(offsetof(Exception_t, ___captured_traces_14)); } inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* get_captured_traces_14() const { return ___captured_traces_14; } inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196** get_address_of_captured_traces_14() { return &___captured_traces_14; } inline void set_captured_traces_14(StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* value) { ___captured_traces_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___captured_traces_14), (void*)value); } inline static int32_t get_offset_of_native_trace_ips_15() { return static_cast<int32_t>(offsetof(Exception_t, ___native_trace_ips_15)); } inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* get_native_trace_ips_15() const { return ___native_trace_ips_15; } inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD** get_address_of_native_trace_ips_15() { return &___native_trace_ips_15; } inline void set_native_trace_ips_15(IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* value) { ___native_trace_ips_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___native_trace_ips_15), (void*)value); } }; struct Exception_t_StaticFields { public: // System.Object System.Exception::s_EDILock RuntimeObject * ___s_EDILock_0; public: inline static int32_t get_offset_of_s_EDILock_0() { return static_cast<int32_t>(offsetof(Exception_t_StaticFields, ___s_EDILock_0)); } inline RuntimeObject * get_s_EDILock_0() const { return ___s_EDILock_0; } inline RuntimeObject ** get_address_of_s_EDILock_0() { return &___s_EDILock_0; } inline void set_s_EDILock_0(RuntimeObject * value) { ___s_EDILock_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_EDILock_0), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Exception struct Exception_t_marshaled_pinvoke { char* ____className_1; char* ____message_2; RuntimeObject* ____data_3; Exception_t_marshaled_pinvoke* ____innerException_4; char* ____helpURL_5; Il2CppIUnknown* ____stackTrace_6; char* ____stackTraceString_7; char* ____remoteStackTraceString_8; int32_t ____remoteStackIndex_9; Il2CppIUnknown* ____dynamicMethods_10; int32_t ____HResult_11; char* ____source_12; SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; Il2CppSafeArray/*NONE*/* ___native_trace_ips_15; }; // Native definition for COM marshalling of System.Exception struct Exception_t_marshaled_com { Il2CppChar* ____className_1; Il2CppChar* ____message_2; RuntimeObject* ____data_3; Exception_t_marshaled_com* ____innerException_4; Il2CppChar* ____helpURL_5; Il2CppIUnknown* ____stackTrace_6; Il2CppChar* ____stackTraceString_7; Il2CppChar* ____remoteStackTraceString_8; int32_t ____remoteStackIndex_9; Il2CppIUnknown* ____dynamicMethods_10; int32_t ____HResult_11; Il2CppChar* ____source_12; SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; Il2CppSafeArray/*NONE*/* ___native_trace_ips_15; }; // System.Globalization.CompareOptions struct CompareOptions_t163DCEA9A0972750294CC1A8348E5CA69E943939 { public: // System.Int32 System.Globalization.CompareOptions::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CompareOptions_t163DCEA9A0972750294CC1A8348E5CA69E943939, ___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.Globalization.DateTimeFormatFlags struct DateTimeFormatFlags_tA363B5524F41DE008B4AB8304F1E995E2C8CF675 { public: // System.Int32 System.Globalization.DateTimeFormatFlags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeFormatFlags_tA363B5524F41DE008B4AB8304F1E995E2C8CF675, ___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.Globalization.DateTimeStyles struct DateTimeStyles_tD09B34DB3747CD91D8AAA1238C7595845715301E { public: // System.Int32 System.Globalization.DateTimeStyles::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeStyles_tD09B34DB3747CD91D8AAA1238C7595845715301E, ___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.Globalization.MonthNameStyles struct MonthNameStyles_t7B32268D94A74B51193D30F7A06688B4029C060D { public: // System.Int32 System.Globalization.MonthNameStyles::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MonthNameStyles_t7B32268D94A74B51193D30F7A06688B4029C060D, ___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.Globalization.NumberStyles struct NumberStyles_tB0ADA2D9CCAA236331AED14C42BE5832B2351592 { public: // System.Int32 System.Globalization.NumberStyles::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NumberStyles_tB0ADA2D9CCAA236331AED14C42BE5832B2351592, ___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.IO.FileAccess struct FileAccess_t31950F3A853EAE886AC8F13EA7FC03A3EB46E3F6 { public: // System.Int32 System.IO.FileAccess::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileAccess_t31950F3A853EAE886AC8F13EA7FC03A3EB46E3F6, ___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.IO.StreamReader struct StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E : public TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A { public: // System.IO.Stream System.IO.StreamReader::stream Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream_5; // System.Text.Encoding System.IO.StreamReader::encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding_6; // System.Text.Decoder System.IO.StreamReader::decoder Decoder_tEEF45EB6F965222036C49E8EC6BA8A0692AA1F26 * ___decoder_7; // System.Byte[] System.IO.StreamReader::byteBuffer ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___byteBuffer_8; // System.Char[] System.IO.StreamReader::charBuffer CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___charBuffer_9; // System.Byte[] System.IO.StreamReader::_preamble ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ____preamble_10; // System.Int32 System.IO.StreamReader::charPos int32_t ___charPos_11; // System.Int32 System.IO.StreamReader::charLen int32_t ___charLen_12; // System.Int32 System.IO.StreamReader::byteLen int32_t ___byteLen_13; // System.Int32 System.IO.StreamReader::bytePos int32_t ___bytePos_14; // System.Int32 System.IO.StreamReader::_maxCharsPerBuffer int32_t ____maxCharsPerBuffer_15; // System.Boolean System.IO.StreamReader::_detectEncoding bool ____detectEncoding_16; // System.Boolean System.IO.StreamReader::_checkPreamble bool ____checkPreamble_17; // System.Boolean System.IO.StreamReader::_isBlocked bool ____isBlocked_18; // System.Boolean System.IO.StreamReader::_closable bool ____closable_19; // System.Threading.Tasks.Task modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamReader::_asyncReadTask Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ____asyncReadTask_20; public: inline static int32_t get_offset_of_stream_5() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___stream_5)); } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * get_stream_5() const { return ___stream_5; } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 ** get_address_of_stream_5() { return &___stream_5; } inline void set_stream_5(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * value) { ___stream_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___stream_5), (void*)value); } inline static int32_t get_offset_of_encoding_6() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___encoding_6)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_encoding_6() const { return ___encoding_6; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_encoding_6() { return &___encoding_6; } inline void set_encoding_6(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___encoding_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___encoding_6), (void*)value); } inline static int32_t get_offset_of_decoder_7() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___decoder_7)); } inline Decoder_tEEF45EB6F965222036C49E8EC6BA8A0692AA1F26 * get_decoder_7() const { return ___decoder_7; } inline Decoder_tEEF45EB6F965222036C49E8EC6BA8A0692AA1F26 ** get_address_of_decoder_7() { return &___decoder_7; } inline void set_decoder_7(Decoder_tEEF45EB6F965222036C49E8EC6BA8A0692AA1F26 * value) { ___decoder_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___decoder_7), (void*)value); } inline static int32_t get_offset_of_byteBuffer_8() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___byteBuffer_8)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_byteBuffer_8() const { return ___byteBuffer_8; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_byteBuffer_8() { return &___byteBuffer_8; } inline void set_byteBuffer_8(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___byteBuffer_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_8), (void*)value); } inline static int32_t get_offset_of_charBuffer_9() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___charBuffer_9)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_charBuffer_9() const { return ___charBuffer_9; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_charBuffer_9() { return &___charBuffer_9; } inline void set_charBuffer_9(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___charBuffer_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___charBuffer_9), (void*)value); } inline static int32_t get_offset_of__preamble_10() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____preamble_10)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get__preamble_10() const { return ____preamble_10; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of__preamble_10() { return &____preamble_10; } inline void set__preamble_10(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ____preamble_10 = value; Il2CppCodeGenWriteBarrier((void**)(&____preamble_10), (void*)value); } inline static int32_t get_offset_of_charPos_11() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___charPos_11)); } inline int32_t get_charPos_11() const { return ___charPos_11; } inline int32_t* get_address_of_charPos_11() { return &___charPos_11; } inline void set_charPos_11(int32_t value) { ___charPos_11 = value; } inline static int32_t get_offset_of_charLen_12() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___charLen_12)); } inline int32_t get_charLen_12() const { return ___charLen_12; } inline int32_t* get_address_of_charLen_12() { return &___charLen_12; } inline void set_charLen_12(int32_t value) { ___charLen_12 = value; } inline static int32_t get_offset_of_byteLen_13() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___byteLen_13)); } inline int32_t get_byteLen_13() const { return ___byteLen_13; } inline int32_t* get_address_of_byteLen_13() { return &___byteLen_13; } inline void set_byteLen_13(int32_t value) { ___byteLen_13 = value; } inline static int32_t get_offset_of_bytePos_14() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ___bytePos_14)); } inline int32_t get_bytePos_14() const { return ___bytePos_14; } inline int32_t* get_address_of_bytePos_14() { return &___bytePos_14; } inline void set_bytePos_14(int32_t value) { ___bytePos_14 = value; } inline static int32_t get_offset_of__maxCharsPerBuffer_15() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____maxCharsPerBuffer_15)); } inline int32_t get__maxCharsPerBuffer_15() const { return ____maxCharsPerBuffer_15; } inline int32_t* get_address_of__maxCharsPerBuffer_15() { return &____maxCharsPerBuffer_15; } inline void set__maxCharsPerBuffer_15(int32_t value) { ____maxCharsPerBuffer_15 = value; } inline static int32_t get_offset_of__detectEncoding_16() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____detectEncoding_16)); } inline bool get__detectEncoding_16() const { return ____detectEncoding_16; } inline bool* get_address_of__detectEncoding_16() { return &____detectEncoding_16; } inline void set__detectEncoding_16(bool value) { ____detectEncoding_16 = value; } inline static int32_t get_offset_of__checkPreamble_17() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____checkPreamble_17)); } inline bool get__checkPreamble_17() const { return ____checkPreamble_17; } inline bool* get_address_of__checkPreamble_17() { return &____checkPreamble_17; } inline void set__checkPreamble_17(bool value) { ____checkPreamble_17 = value; } inline static int32_t get_offset_of__isBlocked_18() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____isBlocked_18)); } inline bool get__isBlocked_18() const { return ____isBlocked_18; } inline bool* get_address_of__isBlocked_18() { return &____isBlocked_18; } inline void set__isBlocked_18(bool value) { ____isBlocked_18 = value; } inline static int32_t get_offset_of__closable_19() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____closable_19)); } inline bool get__closable_19() const { return ____closable_19; } inline bool* get_address_of__closable_19() { return &____closable_19; } inline void set__closable_19(bool value) { ____closable_19 = value; } inline static int32_t get_offset_of__asyncReadTask_20() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E, ____asyncReadTask_20)); } inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get__asyncReadTask_20() const { return ____asyncReadTask_20; } inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of__asyncReadTask_20() { return &____asyncReadTask_20; } inline void set__asyncReadTask_20(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value) { ____asyncReadTask_20 = value; Il2CppCodeGenWriteBarrier((void**)(&____asyncReadTask_20), (void*)value); } }; struct StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E_StaticFields { public: // System.IO.StreamReader System.IO.StreamReader::Null StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * ___Null_4; public: inline static int32_t get_offset_of_Null_4() { return static_cast<int32_t>(offsetof(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E_StaticFields, ___Null_4)); } inline StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * get_Null_4() const { return ___Null_4; } inline StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E ** get_address_of_Null_4() { return &___Null_4; } inline void set_Null_4(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * value) { ___Null_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___Null_4), (void*)value); } }; // System.IO.StreamWriter struct StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E : public TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 { public: // System.IO.Stream System.IO.StreamWriter::stream Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream_12; // System.Text.Encoding System.IO.StreamWriter::encoding Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding_13; // System.Text.Encoder System.IO.StreamWriter::encoder Encoder_t29B2697B0B775EABC52EBFB914F327BE9B1A3464 * ___encoder_14; // System.Byte[] System.IO.StreamWriter::byteBuffer ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___byteBuffer_15; // System.Char[] System.IO.StreamWriter::charBuffer CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___charBuffer_16; // System.Int32 System.IO.StreamWriter::charPos int32_t ___charPos_17; // System.Int32 System.IO.StreamWriter::charLen int32_t ___charLen_18; // System.Boolean System.IO.StreamWriter::autoFlush bool ___autoFlush_19; // System.Boolean System.IO.StreamWriter::haveWrittenPreamble bool ___haveWrittenPreamble_20; // System.Boolean System.IO.StreamWriter::closable bool ___closable_21; // System.Threading.Tasks.Task modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamWriter::_asyncWriteTask Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ____asyncWriteTask_22; public: inline static int32_t get_offset_of_stream_12() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___stream_12)); } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * get_stream_12() const { return ___stream_12; } inline Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 ** get_address_of_stream_12() { return &___stream_12; } inline void set_stream_12(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * value) { ___stream_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___stream_12), (void*)value); } inline static int32_t get_offset_of_encoding_13() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___encoding_13)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get_encoding_13() const { return ___encoding_13; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of_encoding_13() { return &___encoding_13; } inline void set_encoding_13(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ___encoding_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___encoding_13), (void*)value); } inline static int32_t get_offset_of_encoder_14() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___encoder_14)); } inline Encoder_t29B2697B0B775EABC52EBFB914F327BE9B1A3464 * get_encoder_14() const { return ___encoder_14; } inline Encoder_t29B2697B0B775EABC52EBFB914F327BE9B1A3464 ** get_address_of_encoder_14() { return &___encoder_14; } inline void set_encoder_14(Encoder_t29B2697B0B775EABC52EBFB914F327BE9B1A3464 * value) { ___encoder_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___encoder_14), (void*)value); } inline static int32_t get_offset_of_byteBuffer_15() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___byteBuffer_15)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_byteBuffer_15() const { return ___byteBuffer_15; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_byteBuffer_15() { return &___byteBuffer_15; } inline void set_byteBuffer_15(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___byteBuffer_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_15), (void*)value); } inline static int32_t get_offset_of_charBuffer_16() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___charBuffer_16)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_charBuffer_16() const { return ___charBuffer_16; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_charBuffer_16() { return &___charBuffer_16; } inline void set_charBuffer_16(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___charBuffer_16 = value; Il2CppCodeGenWriteBarrier((void**)(&___charBuffer_16), (void*)value); } inline static int32_t get_offset_of_charPos_17() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___charPos_17)); } inline int32_t get_charPos_17() const { return ___charPos_17; } inline int32_t* get_address_of_charPos_17() { return &___charPos_17; } inline void set_charPos_17(int32_t value) { ___charPos_17 = value; } inline static int32_t get_offset_of_charLen_18() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___charLen_18)); } inline int32_t get_charLen_18() const { return ___charLen_18; } inline int32_t* get_address_of_charLen_18() { return &___charLen_18; } inline void set_charLen_18(int32_t value) { ___charLen_18 = value; } inline static int32_t get_offset_of_autoFlush_19() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___autoFlush_19)); } inline bool get_autoFlush_19() const { return ___autoFlush_19; } inline bool* get_address_of_autoFlush_19() { return &___autoFlush_19; } inline void set_autoFlush_19(bool value) { ___autoFlush_19 = value; } inline static int32_t get_offset_of_haveWrittenPreamble_20() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___haveWrittenPreamble_20)); } inline bool get_haveWrittenPreamble_20() const { return ___haveWrittenPreamble_20; } inline bool* get_address_of_haveWrittenPreamble_20() { return &___haveWrittenPreamble_20; } inline void set_haveWrittenPreamble_20(bool value) { ___haveWrittenPreamble_20 = value; } inline static int32_t get_offset_of_closable_21() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ___closable_21)); } inline bool get_closable_21() const { return ___closable_21; } inline bool* get_address_of_closable_21() { return &___closable_21; } inline void set_closable_21(bool value) { ___closable_21 = value; } inline static int32_t get_offset_of__asyncWriteTask_22() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E, ____asyncWriteTask_22)); } inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get__asyncWriteTask_22() const { return ____asyncWriteTask_22; } inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of__asyncWriteTask_22() { return &____asyncWriteTask_22; } inline void set__asyncWriteTask_22(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value) { ____asyncWriteTask_22 = value; Il2CppCodeGenWriteBarrier((void**)(&____asyncWriteTask_22), (void*)value); } }; struct StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E_StaticFields { public: // System.IO.StreamWriter System.IO.StreamWriter::Null StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E * ___Null_11; // System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamWriter::_UTF8NoBOM Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ____UTF8NoBOM_23; public: inline static int32_t get_offset_of_Null_11() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E_StaticFields, ___Null_11)); } inline StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E * get_Null_11() const { return ___Null_11; } inline StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E ** get_address_of_Null_11() { return &___Null_11; } inline void set_Null_11(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E * value) { ___Null_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___Null_11), (void*)value); } inline static int32_t get_offset_of__UTF8NoBOM_23() { return static_cast<int32_t>(offsetof(StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E_StaticFields, ____UTF8NoBOM_23)); } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * get__UTF8NoBOM_23() const { return ____UTF8NoBOM_23; } inline Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 ** get_address_of__UTF8NoBOM_23() { return &____UTF8NoBOM_23; } inline void set__UTF8NoBOM_23(Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * value) { ____UTF8NoBOM_23 = value; Il2CppCodeGenWriteBarrier((void**)(&____UTF8NoBOM_23), (void*)value); } }; // System.Reflection.Assembly struct Assembly_t : public RuntimeObject { public: // System.IntPtr System.Reflection.Assembly::_mono_assembly intptr_t ____mono_assembly_0; // System.Reflection.Assembly_ResolveEventHolder System.Reflection.Assembly::resolve_event_holder ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1; // System.Object System.Reflection.Assembly::_evidence RuntimeObject * ____evidence_2; // System.Object System.Reflection.Assembly::_minimum RuntimeObject * ____minimum_3; // System.Object System.Reflection.Assembly::_optional RuntimeObject * ____optional_4; // System.Object System.Reflection.Assembly::_refuse RuntimeObject * ____refuse_5; // System.Object System.Reflection.Assembly::_granted RuntimeObject * ____granted_6; // System.Object System.Reflection.Assembly::_denied RuntimeObject * ____denied_7; // System.Boolean System.Reflection.Assembly::fromByteArray bool ___fromByteArray_8; // System.String System.Reflection.Assembly::assemblyName String_t* ___assemblyName_9; public: inline static int32_t get_offset_of__mono_assembly_0() { return static_cast<int32_t>(offsetof(Assembly_t, ____mono_assembly_0)); } inline intptr_t get__mono_assembly_0() const { return ____mono_assembly_0; } inline intptr_t* get_address_of__mono_assembly_0() { return &____mono_assembly_0; } inline void set__mono_assembly_0(intptr_t value) { ____mono_assembly_0 = value; } inline static int32_t get_offset_of_resolve_event_holder_1() { return static_cast<int32_t>(offsetof(Assembly_t, ___resolve_event_holder_1)); } inline ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * get_resolve_event_holder_1() const { return ___resolve_event_holder_1; } inline ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E ** get_address_of_resolve_event_holder_1() { return &___resolve_event_holder_1; } inline void set_resolve_event_holder_1(ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * value) { ___resolve_event_holder_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___resolve_event_holder_1), (void*)value); } inline static int32_t get_offset_of__evidence_2() { return static_cast<int32_t>(offsetof(Assembly_t, ____evidence_2)); } inline RuntimeObject * get__evidence_2() const { return ____evidence_2; } inline RuntimeObject ** get_address_of__evidence_2() { return &____evidence_2; } inline void set__evidence_2(RuntimeObject * value) { ____evidence_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____evidence_2), (void*)value); } inline static int32_t get_offset_of__minimum_3() { return static_cast<int32_t>(offsetof(Assembly_t, ____minimum_3)); } inline RuntimeObject * get__minimum_3() const { return ____minimum_3; } inline RuntimeObject ** get_address_of__minimum_3() { return &____minimum_3; } inline void set__minimum_3(RuntimeObject * value) { ____minimum_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____minimum_3), (void*)value); } inline static int32_t get_offset_of__optional_4() { return static_cast<int32_t>(offsetof(Assembly_t, ____optional_4)); } inline RuntimeObject * get__optional_4() const { return ____optional_4; } inline RuntimeObject ** get_address_of__optional_4() { return &____optional_4; } inline void set__optional_4(RuntimeObject * value) { ____optional_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____optional_4), (void*)value); } inline static int32_t get_offset_of__refuse_5() { return static_cast<int32_t>(offsetof(Assembly_t, ____refuse_5)); } inline RuntimeObject * get__refuse_5() const { return ____refuse_5; } inline RuntimeObject ** get_address_of__refuse_5() { return &____refuse_5; } inline void set__refuse_5(RuntimeObject * value) { ____refuse_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____refuse_5), (void*)value); } inline static int32_t get_offset_of__granted_6() { return static_cast<int32_t>(offsetof(Assembly_t, ____granted_6)); } inline RuntimeObject * get__granted_6() const { return ____granted_6; } inline RuntimeObject ** get_address_of__granted_6() { return &____granted_6; } inline void set__granted_6(RuntimeObject * value) { ____granted_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____granted_6), (void*)value); } inline static int32_t get_offset_of__denied_7() { return static_cast<int32_t>(offsetof(Assembly_t, ____denied_7)); } inline RuntimeObject * get__denied_7() const { return ____denied_7; } inline RuntimeObject ** get_address_of__denied_7() { return &____denied_7; } inline void set__denied_7(RuntimeObject * value) { ____denied_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____denied_7), (void*)value); } inline static int32_t get_offset_of_fromByteArray_8() { return static_cast<int32_t>(offsetof(Assembly_t, ___fromByteArray_8)); } inline bool get_fromByteArray_8() const { return ___fromByteArray_8; } inline bool* get_address_of_fromByteArray_8() { return &___fromByteArray_8; } inline void set_fromByteArray_8(bool value) { ___fromByteArray_8 = value; } inline static int32_t get_offset_of_assemblyName_9() { return static_cast<int32_t>(offsetof(Assembly_t, ___assemblyName_9)); } inline String_t* get_assemblyName_9() const { return ___assemblyName_9; } inline String_t** get_address_of_assemblyName_9() { return &___assemblyName_9; } inline void set_assemblyName_9(String_t* value) { ___assemblyName_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___assemblyName_9), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Reflection.Assembly struct Assembly_t_marshaled_pinvoke { intptr_t ____mono_assembly_0; ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1; Il2CppIUnknown* ____evidence_2; Il2CppIUnknown* ____minimum_3; Il2CppIUnknown* ____optional_4; Il2CppIUnknown* ____refuse_5; Il2CppIUnknown* ____granted_6; Il2CppIUnknown* ____denied_7; int32_t ___fromByteArray_8; char* ___assemblyName_9; }; // Native definition for COM marshalling of System.Reflection.Assembly struct Assembly_t_marshaled_com { intptr_t ____mono_assembly_0; ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1; Il2CppIUnknown* ____evidence_2; Il2CppIUnknown* ____minimum_3; Il2CppIUnknown* ____optional_4; Il2CppIUnknown* ____refuse_5; Il2CppIUnknown* ____granted_6; Il2CppIUnknown* ____denied_7; int32_t ___fromByteArray_8; Il2CppChar* ___assemblyName_9; }; // System.Reflection.BindingFlags struct BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0 { public: // System.Int32 System.Reflection.BindingFlags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0, ___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.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.RuntimeFieldHandle struct RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF { public: // System.IntPtr System.RuntimeFieldHandle::value intptr_t ___value_0; public: inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF, ___value_0)); } inline intptr_t get_value_0() const { return ___value_0; } inline intptr_t* get_address_of_value_0() { return &___value_0; } inline void set_value_0(intptr_t value) { ___value_0 = value; } }; // System.RuntimeTypeHandle struct RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D { public: // System.IntPtr System.RuntimeTypeHandle::value intptr_t ___value_0; public: inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D, ___value_0)); } inline intptr_t get_value_0() const { return ___value_0; } inline intptr_t* get_address_of_value_0() { return &___value_0; } inline void set_value_0(intptr_t value) { ___value_0 = 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.TimeZoneInfoOptions struct TimeZoneInfoOptions_t123D8B5A23D3DE107FB9D3A29BF5952895C652EE { public: // System.Int32 System.TimeZoneInfoOptions::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TimeZoneInfoOptions_t123D8B5A23D3DE107FB9D3A29BF5952895C652EE, ___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.TypeCode struct TypeCode_t03ED52F888000DAF40C550C434F29F39A23D61C6 { public: // System.Int32 System.TypeCode::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeCode_t03ED52F888000DAF40C550C434F29F39A23D61C6, ___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.WindowsConsoleDriver struct WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42 : public RuntimeObject { public: // System.IntPtr System.WindowsConsoleDriver::inputHandle intptr_t ___inputHandle_0; // System.IntPtr System.WindowsConsoleDriver::outputHandle intptr_t ___outputHandle_1; // System.Int16 System.WindowsConsoleDriver::defaultAttribute int16_t ___defaultAttribute_2; public: inline static int32_t get_offset_of_inputHandle_0() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42, ___inputHandle_0)); } inline intptr_t get_inputHandle_0() const { return ___inputHandle_0; } inline intptr_t* get_address_of_inputHandle_0() { return &___inputHandle_0; } inline void set_inputHandle_0(intptr_t value) { ___inputHandle_0 = value; } inline static int32_t get_offset_of_outputHandle_1() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42, ___outputHandle_1)); } inline intptr_t get_outputHandle_1() const { return ___outputHandle_1; } inline intptr_t* get_address_of_outputHandle_1() { return &___outputHandle_1; } inline void set_outputHandle_1(intptr_t value) { ___outputHandle_1 = value; } inline static int32_t get_offset_of_defaultAttribute_2() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42, ___defaultAttribute_2)); } inline int16_t get_defaultAttribute_2() const { return ___defaultAttribute_2; } inline int16_t* get_address_of_defaultAttribute_2() { return &___defaultAttribute_2; } inline void set_defaultAttribute_2(int16_t value) { ___defaultAttribute_2 = value; } }; // System.Collections.Hashtable_SyncHashtable struct SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 : public Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 { public: // System.Collections.Hashtable System.Collections.Hashtable_SyncHashtable::_table Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ____table_21; public: inline static int32_t get_offset_of__table_21() { return static_cast<int32_t>(offsetof(SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3, ____table_21)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get__table_21() const { return ____table_21; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of__table_21() { return &____table_21; } inline void set__table_21(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ____table_21 = value; Il2CppCodeGenWriteBarrier((void**)(&____table_21), (void*)value); } }; // System.ConsoleCancelEventArgs struct ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 : public EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E { public: // System.ConsoleSpecialKey System.ConsoleCancelEventArgs::_type int32_t ____type_1; // System.Boolean System.ConsoleCancelEventArgs::_cancel bool ____cancel_2; public: inline static int32_t get_offset_of__type_1() { return static_cast<int32_t>(offsetof(ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760, ____type_1)); } inline int32_t get__type_1() const { return ____type_1; } inline int32_t* get_address_of__type_1() { return &____type_1; } inline void set__type_1(int32_t value) { ____type_1 = value; } inline static int32_t get_offset_of__cancel_2() { return static_cast<int32_t>(offsetof(ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760, ____cancel_2)); } inline bool get__cancel_2() const { return ____cancel_2; } inline bool* get_address_of__cancel_2() { return &____cancel_2; } inline void set__cancel_2(bool value) { ____cancel_2 = value; } }; // System.ConsoleKeyInfo struct ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 { public: // System.Char System.ConsoleKeyInfo::_keyChar Il2CppChar ____keyChar_0; // System.ConsoleKey System.ConsoleKeyInfo::_key int32_t ____key_1; // System.ConsoleModifiers System.ConsoleKeyInfo::_mods int32_t ____mods_2; public: inline static int32_t get_offset_of__keyChar_0() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768, ____keyChar_0)); } inline Il2CppChar get__keyChar_0() const { return ____keyChar_0; } inline Il2CppChar* get_address_of__keyChar_0() { return &____keyChar_0; } inline void set__keyChar_0(Il2CppChar value) { ____keyChar_0 = value; } inline static int32_t get_offset_of__key_1() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768, ____key_1)); } inline int32_t get__key_1() const { return ____key_1; } inline int32_t* get_address_of__key_1() { return &____key_1; } inline void set__key_1(int32_t value) { ____key_1 = value; } inline static int32_t get_offset_of__mods_2() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768, ____mods_2)); } inline int32_t get__mods_2() const { return ____mods_2; } inline int32_t* get_address_of__mods_2() { return &____mods_2; } inline void set__mods_2(int32_t value) { ____mods_2 = value; } }; // Native definition for P/Invoke marshalling of System.ConsoleKeyInfo struct ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_pinvoke { uint8_t ____keyChar_0; int32_t ____key_1; int32_t ____mods_2; }; // Native definition for COM marshalling of System.ConsoleKeyInfo struct ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_com { uint8_t ____keyChar_0; int32_t ____key_1; int32_t ____mods_2; }; // System.CultureAwareComparer struct CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 : public StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE { public: // System.Globalization.CompareInfo System.CultureAwareComparer::_compareInfo CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ____compareInfo_4; // System.Boolean System.CultureAwareComparer::_ignoreCase bool ____ignoreCase_5; // System.Globalization.CompareOptions System.CultureAwareComparer::_options int32_t ____options_6; public: inline static int32_t get_offset_of__compareInfo_4() { return static_cast<int32_t>(offsetof(CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058, ____compareInfo_4)); } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * get__compareInfo_4() const { return ____compareInfo_4; } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 ** get_address_of__compareInfo_4() { return &____compareInfo_4; } inline void set__compareInfo_4(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * value) { ____compareInfo_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____compareInfo_4), (void*)value); } inline static int32_t get_offset_of__ignoreCase_5() { return static_cast<int32_t>(offsetof(CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058, ____ignoreCase_5)); } inline bool get__ignoreCase_5() const { return ____ignoreCase_5; } inline bool* get_address_of__ignoreCase_5() { return &____ignoreCase_5; } inline void set__ignoreCase_5(bool value) { ____ignoreCase_5 = value; } inline static int32_t get_offset_of__options_6() { return static_cast<int32_t>(offsetof(CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058, ____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; } }; // System.DTSubString struct DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D { public: // System.String System.DTSubString::s String_t* ___s_0; // System.Int32 System.DTSubString::index int32_t ___index_1; // System.Int32 System.DTSubString::length int32_t ___length_2; // System.DTSubStringType System.DTSubString::type int32_t ___type_3; // System.Int32 System.DTSubString::value int32_t ___value_4; public: inline static int32_t get_offset_of_s_0() { return static_cast<int32_t>(offsetof(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D, ___s_0)); } inline String_t* get_s_0() const { return ___s_0; } inline String_t** get_address_of_s_0() { return &___s_0; } inline void set_s_0(String_t* value) { ___s_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D, ___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(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D, ___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; } inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D, ___type_3)); } inline int32_t get_type_3() const { return ___type_3; } inline int32_t* get_address_of_type_3() { return &___type_3; } inline void set_type_3(int32_t value) { ___type_3 = value; } inline static int32_t get_offset_of_value_4() { return static_cast<int32_t>(offsetof(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D, ___value_4)); } inline int32_t get_value_4() const { return ___value_4; } inline int32_t* get_address_of_value_4() { return &___value_4; } inline void set_value_4(int32_t value) { ___value_4 = value; } }; // Native definition for P/Invoke marshalling of System.DTSubString struct DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_pinvoke { char* ___s_0; int32_t ___index_1; int32_t ___length_2; int32_t ___type_3; int32_t ___value_4; }; // Native definition for COM marshalling of System.DTSubString struct DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_com { Il2CppChar* ___s_0; int32_t ___index_1; int32_t ___length_2; int32_t ___type_3; int32_t ___value_4; }; // System.DateTimeFormat struct DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8 : public RuntimeObject { public: public: }; struct DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields { public: // System.TimeSpan System.DateTimeFormat::NullOffset TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___NullOffset_0; // System.Char[] System.DateTimeFormat::allStandardFormats CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___allStandardFormats_1; // System.String[] System.DateTimeFormat::fixedNumberFormats StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___fixedNumberFormats_2; public: inline static int32_t get_offset_of_NullOffset_0() { return static_cast<int32_t>(offsetof(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields, ___NullOffset_0)); } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_NullOffset_0() const { return ___NullOffset_0; } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_NullOffset_0() { return &___NullOffset_0; } inline void set_NullOffset_0(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value) { ___NullOffset_0 = value; } inline static int32_t get_offset_of_allStandardFormats_1() { return static_cast<int32_t>(offsetof(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields, ___allStandardFormats_1)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_allStandardFormats_1() const { return ___allStandardFormats_1; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_allStandardFormats_1() { return &___allStandardFormats_1; } inline void set_allStandardFormats_1(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___allStandardFormats_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___allStandardFormats_1), (void*)value); } inline static int32_t get_offset_of_fixedNumberFormats_2() { return static_cast<int32_t>(offsetof(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields, ___fixedNumberFormats_2)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_fixedNumberFormats_2() const { return ___fixedNumberFormats_2; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_fixedNumberFormats_2() { return &___fixedNumberFormats_2; } inline void set_fixedNumberFormats_2(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___fixedNumberFormats_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___fixedNumberFormats_2), (void*)value); } }; // System.Globalization.CompareInfo struct CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 : public RuntimeObject { public: // System.String System.Globalization.CompareInfo::m_name String_t* ___m_name_3; // System.String System.Globalization.CompareInfo::m_sortName String_t* ___m_sortName_4; // System.Int32 System.Globalization.CompareInfo::win32LCID int32_t ___win32LCID_5; // System.Int32 System.Globalization.CompareInfo::culture int32_t ___culture_6; // System.Globalization.SortVersion System.Globalization.CompareInfo::m_SortVersion SortVersion_tE7080CE09A0B8CE226F8046C0D1374DD0A0CAE71 * ___m_SortVersion_20; // Mono.Globalization.Unicode.SimpleCollator System.Globalization.CompareInfo::collator SimpleCollator_tC3A1720B7D3D850D5C23BE8E366D821EBA923D89 * ___collator_21; public: inline static int32_t get_offset_of_m_name_3() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___m_name_3)); } inline String_t* get_m_name_3() const { return ___m_name_3; } inline String_t** get_address_of_m_name_3() { return &___m_name_3; } inline void set_m_name_3(String_t* value) { ___m_name_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_name_3), (void*)value); } inline static int32_t get_offset_of_m_sortName_4() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___m_sortName_4)); } inline String_t* get_m_sortName_4() const { return ___m_sortName_4; } inline String_t** get_address_of_m_sortName_4() { return &___m_sortName_4; } inline void set_m_sortName_4(String_t* value) { ___m_sortName_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_sortName_4), (void*)value); } inline static int32_t get_offset_of_win32LCID_5() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___win32LCID_5)); } inline int32_t get_win32LCID_5() const { return ___win32LCID_5; } inline int32_t* get_address_of_win32LCID_5() { return &___win32LCID_5; } inline void set_win32LCID_5(int32_t value) { ___win32LCID_5 = value; } inline static int32_t get_offset_of_culture_6() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___culture_6)); } inline int32_t get_culture_6() const { return ___culture_6; } inline int32_t* get_address_of_culture_6() { return &___culture_6; } inline void set_culture_6(int32_t value) { ___culture_6 = value; } inline static int32_t get_offset_of_m_SortVersion_20() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___m_SortVersion_20)); } inline SortVersion_tE7080CE09A0B8CE226F8046C0D1374DD0A0CAE71 * get_m_SortVersion_20() const { return ___m_SortVersion_20; } inline SortVersion_tE7080CE09A0B8CE226F8046C0D1374DD0A0CAE71 ** get_address_of_m_SortVersion_20() { return &___m_SortVersion_20; } inline void set_m_SortVersion_20(SortVersion_tE7080CE09A0B8CE226F8046C0D1374DD0A0CAE71 * value) { ___m_SortVersion_20 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SortVersion_20), (void*)value); } inline static int32_t get_offset_of_collator_21() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1, ___collator_21)); } inline SimpleCollator_tC3A1720B7D3D850D5C23BE8E366D821EBA923D89 * get_collator_21() const { return ___collator_21; } inline SimpleCollator_tC3A1720B7D3D850D5C23BE8E366D821EBA923D89 ** get_address_of_collator_21() { return &___collator_21; } inline void set_collator_21(SimpleCollator_tC3A1720B7D3D850D5C23BE8E366D821EBA923D89 * value) { ___collator_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___collator_21), (void*)value); } }; struct CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1_StaticFields { public: // System.Collections.Generic.Dictionary`2<System.String,Mono.Globalization.Unicode.SimpleCollator> System.Globalization.CompareInfo::collators Dictionary_2_t61B96E9258C1E296057BCD8C4D2015846D2BB8F3 * ___collators_22; // System.Boolean System.Globalization.CompareInfo::managedCollation bool ___managedCollation_23; // System.Boolean System.Globalization.CompareInfo::managedCollationChecked bool ___managedCollationChecked_24; public: inline static int32_t get_offset_of_collators_22() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1_StaticFields, ___collators_22)); } inline Dictionary_2_t61B96E9258C1E296057BCD8C4D2015846D2BB8F3 * get_collators_22() const { return ___collators_22; } inline Dictionary_2_t61B96E9258C1E296057BCD8C4D2015846D2BB8F3 ** get_address_of_collators_22() { return &___collators_22; } inline void set_collators_22(Dictionary_2_t61B96E9258C1E296057BCD8C4D2015846D2BB8F3 * value) { ___collators_22 = value; Il2CppCodeGenWriteBarrier((void**)(&___collators_22), (void*)value); } inline static int32_t get_offset_of_managedCollation_23() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1_StaticFields, ___managedCollation_23)); } inline bool get_managedCollation_23() const { return ___managedCollation_23; } inline bool* get_address_of_managedCollation_23() { return &___managedCollation_23; } inline void set_managedCollation_23(bool value) { ___managedCollation_23 = value; } inline static int32_t get_offset_of_managedCollationChecked_24() { return static_cast<int32_t>(offsetof(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1_StaticFields, ___managedCollationChecked_24)); } inline bool get_managedCollationChecked_24() const { return ___managedCollationChecked_24; } inline bool* get_address_of_managedCollationChecked_24() { return &___managedCollationChecked_24; } inline void set_managedCollationChecked_24(bool value) { ___managedCollationChecked_24 = value; } }; // System.Globalization.DateTimeFormatInfo struct DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F : public RuntimeObject { public: // System.Globalization.CultureData System.Globalization.DateTimeFormatInfo::m_cultureData CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * ___m_cultureData_1; // System.String System.Globalization.DateTimeFormatInfo::m_name String_t* ___m_name_2; // System.String System.Globalization.DateTimeFormatInfo::m_langName String_t* ___m_langName_3; // System.Globalization.CompareInfo System.Globalization.DateTimeFormatInfo::m_compareInfo CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * ___m_compareInfo_4; // System.Globalization.CultureInfo System.Globalization.DateTimeFormatInfo::m_cultureInfo CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___m_cultureInfo_5; // System.String System.Globalization.DateTimeFormatInfo::amDesignator String_t* ___amDesignator_6; // System.String System.Globalization.DateTimeFormatInfo::pmDesignator String_t* ___pmDesignator_7; // System.String System.Globalization.DateTimeFormatInfo::dateSeparator String_t* ___dateSeparator_8; // System.String System.Globalization.DateTimeFormatInfo::generalShortTimePattern String_t* ___generalShortTimePattern_9; // System.String System.Globalization.DateTimeFormatInfo::generalLongTimePattern String_t* ___generalLongTimePattern_10; // System.String System.Globalization.DateTimeFormatInfo::timeSeparator String_t* ___timeSeparator_11; // System.String System.Globalization.DateTimeFormatInfo::monthDayPattern String_t* ___monthDayPattern_12; // System.String System.Globalization.DateTimeFormatInfo::dateTimeOffsetPattern String_t* ___dateTimeOffsetPattern_13; // System.Globalization.Calendar System.Globalization.DateTimeFormatInfo::calendar Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * ___calendar_17; // System.Int32 System.Globalization.DateTimeFormatInfo::firstDayOfWeek int32_t ___firstDayOfWeek_18; // System.Int32 System.Globalization.DateTimeFormatInfo::calendarWeekRule int32_t ___calendarWeekRule_19; // System.String System.Globalization.DateTimeFormatInfo::fullDateTimePattern String_t* ___fullDateTimePattern_20; // System.String[] System.Globalization.DateTimeFormatInfo::abbreviatedDayNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___abbreviatedDayNames_21; // System.String[] System.Globalization.DateTimeFormatInfo::m_superShortDayNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_superShortDayNames_22; // System.String[] System.Globalization.DateTimeFormatInfo::dayNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___dayNames_23; // System.String[] System.Globalization.DateTimeFormatInfo::abbreviatedMonthNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___abbreviatedMonthNames_24; // System.String[] System.Globalization.DateTimeFormatInfo::monthNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___monthNames_25; // System.String[] System.Globalization.DateTimeFormatInfo::genitiveMonthNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___genitiveMonthNames_26; // System.String[] System.Globalization.DateTimeFormatInfo::m_genitiveAbbreviatedMonthNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_genitiveAbbreviatedMonthNames_27; // System.String[] System.Globalization.DateTimeFormatInfo::leapYearMonthNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___leapYearMonthNames_28; // System.String System.Globalization.DateTimeFormatInfo::longDatePattern String_t* ___longDatePattern_29; // System.String System.Globalization.DateTimeFormatInfo::shortDatePattern String_t* ___shortDatePattern_30; // System.String System.Globalization.DateTimeFormatInfo::yearMonthPattern String_t* ___yearMonthPattern_31; // System.String System.Globalization.DateTimeFormatInfo::longTimePattern String_t* ___longTimePattern_32; // System.String System.Globalization.DateTimeFormatInfo::shortTimePattern String_t* ___shortTimePattern_33; // System.String[] System.Globalization.DateTimeFormatInfo::allYearMonthPatterns StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___allYearMonthPatterns_34; // System.String[] System.Globalization.DateTimeFormatInfo::allShortDatePatterns StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___allShortDatePatterns_35; // System.String[] System.Globalization.DateTimeFormatInfo::allLongDatePatterns StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___allLongDatePatterns_36; // System.String[] System.Globalization.DateTimeFormatInfo::allShortTimePatterns StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___allShortTimePatterns_37; // System.String[] System.Globalization.DateTimeFormatInfo::allLongTimePatterns StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___allLongTimePatterns_38; // System.String[] System.Globalization.DateTimeFormatInfo::m_eraNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_eraNames_39; // System.String[] System.Globalization.DateTimeFormatInfo::m_abbrevEraNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_abbrevEraNames_40; // System.String[] System.Globalization.DateTimeFormatInfo::m_abbrevEnglishEraNames StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_abbrevEnglishEraNames_41; // System.Int32[] System.Globalization.DateTimeFormatInfo::optionalCalendars Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___optionalCalendars_42; // System.Boolean System.Globalization.DateTimeFormatInfo::m_isReadOnly bool ___m_isReadOnly_44; // System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo::formatFlags int32_t ___formatFlags_45; // System.Int32 System.Globalization.DateTimeFormatInfo::CultureID int32_t ___CultureID_47; // System.Boolean System.Globalization.DateTimeFormatInfo::m_useUserOverride bool ___m_useUserOverride_48; // System.Boolean System.Globalization.DateTimeFormatInfo::bUseCalendarInfo bool ___bUseCalendarInfo_49; // System.Int32 System.Globalization.DateTimeFormatInfo::nDataItem int32_t ___nDataItem_50; // System.Boolean System.Globalization.DateTimeFormatInfo::m_isDefaultCalendar bool ___m_isDefaultCalendar_51; // System.String[] System.Globalization.DateTimeFormatInfo::m_dateWords StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_dateWords_53; // System.String System.Globalization.DateTimeFormatInfo::m_fullTimeSpanPositivePattern String_t* ___m_fullTimeSpanPositivePattern_54; // System.String System.Globalization.DateTimeFormatInfo::m_fullTimeSpanNegativePattern String_t* ___m_fullTimeSpanNegativePattern_55; // System.Globalization.TokenHashValue[] System.Globalization.DateTimeFormatInfo::m_dtfiTokenHash TokenHashValueU5BU5D_t5C8B41D89122FC1D3ED53C946C2656DA03CE899A* ___m_dtfiTokenHash_57; public: inline static int32_t get_offset_of_m_cultureData_1() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_cultureData_1)); } inline CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * get_m_cultureData_1() const { return ___m_cultureData_1; } inline CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD ** get_address_of_m_cultureData_1() { return &___m_cultureData_1; } inline void set_m_cultureData_1(CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD * value) { ___m_cultureData_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_cultureData_1), (void*)value); } inline static int32_t get_offset_of_m_name_2() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_name_2)); } inline String_t* get_m_name_2() const { return ___m_name_2; } inline String_t** get_address_of_m_name_2() { return &___m_name_2; } inline void set_m_name_2(String_t* value) { ___m_name_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_name_2), (void*)value); } inline static int32_t get_offset_of_m_langName_3() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_langName_3)); } inline String_t* get_m_langName_3() const { return ___m_langName_3; } inline String_t** get_address_of_m_langName_3() { return &___m_langName_3; } inline void set_m_langName_3(String_t* value) { ___m_langName_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_langName_3), (void*)value); } inline static int32_t get_offset_of_m_compareInfo_4() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_compareInfo_4)); } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * get_m_compareInfo_4() const { return ___m_compareInfo_4; } inline CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 ** get_address_of_m_compareInfo_4() { return &___m_compareInfo_4; } inline void set_m_compareInfo_4(CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * value) { ___m_compareInfo_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_compareInfo_4), (void*)value); } inline static int32_t get_offset_of_m_cultureInfo_5() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_cultureInfo_5)); } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_m_cultureInfo_5() const { return ___m_cultureInfo_5; } inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_m_cultureInfo_5() { return &___m_cultureInfo_5; } inline void set_m_cultureInfo_5(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value) { ___m_cultureInfo_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_cultureInfo_5), (void*)value); } inline static int32_t get_offset_of_amDesignator_6() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___amDesignator_6)); } inline String_t* get_amDesignator_6() const { return ___amDesignator_6; } inline String_t** get_address_of_amDesignator_6() { return &___amDesignator_6; } inline void set_amDesignator_6(String_t* value) { ___amDesignator_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___amDesignator_6), (void*)value); } inline static int32_t get_offset_of_pmDesignator_7() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___pmDesignator_7)); } inline String_t* get_pmDesignator_7() const { return ___pmDesignator_7; } inline String_t** get_address_of_pmDesignator_7() { return &___pmDesignator_7; } inline void set_pmDesignator_7(String_t* value) { ___pmDesignator_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___pmDesignator_7), (void*)value); } inline static int32_t get_offset_of_dateSeparator_8() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___dateSeparator_8)); } inline String_t* get_dateSeparator_8() const { return ___dateSeparator_8; } inline String_t** get_address_of_dateSeparator_8() { return &___dateSeparator_8; } inline void set_dateSeparator_8(String_t* value) { ___dateSeparator_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___dateSeparator_8), (void*)value); } inline static int32_t get_offset_of_generalShortTimePattern_9() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___generalShortTimePattern_9)); } inline String_t* get_generalShortTimePattern_9() const { return ___generalShortTimePattern_9; } inline String_t** get_address_of_generalShortTimePattern_9() { return &___generalShortTimePattern_9; } inline void set_generalShortTimePattern_9(String_t* value) { ___generalShortTimePattern_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___generalShortTimePattern_9), (void*)value); } inline static int32_t get_offset_of_generalLongTimePattern_10() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___generalLongTimePattern_10)); } inline String_t* get_generalLongTimePattern_10() const { return ___generalLongTimePattern_10; } inline String_t** get_address_of_generalLongTimePattern_10() { return &___generalLongTimePattern_10; } inline void set_generalLongTimePattern_10(String_t* value) { ___generalLongTimePattern_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___generalLongTimePattern_10), (void*)value); } inline static int32_t get_offset_of_timeSeparator_11() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___timeSeparator_11)); } inline String_t* get_timeSeparator_11() const { return ___timeSeparator_11; } inline String_t** get_address_of_timeSeparator_11() { return &___timeSeparator_11; } inline void set_timeSeparator_11(String_t* value) { ___timeSeparator_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___timeSeparator_11), (void*)value); } inline static int32_t get_offset_of_monthDayPattern_12() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___monthDayPattern_12)); } inline String_t* get_monthDayPattern_12() const { return ___monthDayPattern_12; } inline String_t** get_address_of_monthDayPattern_12() { return &___monthDayPattern_12; } inline void set_monthDayPattern_12(String_t* value) { ___monthDayPattern_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___monthDayPattern_12), (void*)value); } inline static int32_t get_offset_of_dateTimeOffsetPattern_13() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___dateTimeOffsetPattern_13)); } inline String_t* get_dateTimeOffsetPattern_13() const { return ___dateTimeOffsetPattern_13; } inline String_t** get_address_of_dateTimeOffsetPattern_13() { return &___dateTimeOffsetPattern_13; } inline void set_dateTimeOffsetPattern_13(String_t* value) { ___dateTimeOffsetPattern_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___dateTimeOffsetPattern_13), (void*)value); } inline static int32_t get_offset_of_calendar_17() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___calendar_17)); } inline Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * get_calendar_17() const { return ___calendar_17; } inline Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 ** get_address_of_calendar_17() { return &___calendar_17; } inline void set_calendar_17(Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * value) { ___calendar_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___calendar_17), (void*)value); } inline static int32_t get_offset_of_firstDayOfWeek_18() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___firstDayOfWeek_18)); } inline int32_t get_firstDayOfWeek_18() const { return ___firstDayOfWeek_18; } inline int32_t* get_address_of_firstDayOfWeek_18() { return &___firstDayOfWeek_18; } inline void set_firstDayOfWeek_18(int32_t value) { ___firstDayOfWeek_18 = value; } inline static int32_t get_offset_of_calendarWeekRule_19() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___calendarWeekRule_19)); } inline int32_t get_calendarWeekRule_19() const { return ___calendarWeekRule_19; } inline int32_t* get_address_of_calendarWeekRule_19() { return &___calendarWeekRule_19; } inline void set_calendarWeekRule_19(int32_t value) { ___calendarWeekRule_19 = value; } inline static int32_t get_offset_of_fullDateTimePattern_20() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___fullDateTimePattern_20)); } inline String_t* get_fullDateTimePattern_20() const { return ___fullDateTimePattern_20; } inline String_t** get_address_of_fullDateTimePattern_20() { return &___fullDateTimePattern_20; } inline void set_fullDateTimePattern_20(String_t* value) { ___fullDateTimePattern_20 = value; Il2CppCodeGenWriteBarrier((void**)(&___fullDateTimePattern_20), (void*)value); } inline static int32_t get_offset_of_abbreviatedDayNames_21() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___abbreviatedDayNames_21)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_abbreviatedDayNames_21() const { return ___abbreviatedDayNames_21; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_abbreviatedDayNames_21() { return &___abbreviatedDayNames_21; } inline void set_abbreviatedDayNames_21(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___abbreviatedDayNames_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___abbreviatedDayNames_21), (void*)value); } inline static int32_t get_offset_of_m_superShortDayNames_22() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_superShortDayNames_22)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_superShortDayNames_22() const { return ___m_superShortDayNames_22; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_superShortDayNames_22() { return &___m_superShortDayNames_22; } inline void set_m_superShortDayNames_22(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_superShortDayNames_22 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_superShortDayNames_22), (void*)value); } inline static int32_t get_offset_of_dayNames_23() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___dayNames_23)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_dayNames_23() const { return ___dayNames_23; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_dayNames_23() { return &___dayNames_23; } inline void set_dayNames_23(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___dayNames_23 = value; Il2CppCodeGenWriteBarrier((void**)(&___dayNames_23), (void*)value); } inline static int32_t get_offset_of_abbreviatedMonthNames_24() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___abbreviatedMonthNames_24)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_abbreviatedMonthNames_24() const { return ___abbreviatedMonthNames_24; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_abbreviatedMonthNames_24() { return &___abbreviatedMonthNames_24; } inline void set_abbreviatedMonthNames_24(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___abbreviatedMonthNames_24 = value; Il2CppCodeGenWriteBarrier((void**)(&___abbreviatedMonthNames_24), (void*)value); } inline static int32_t get_offset_of_monthNames_25() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___monthNames_25)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_monthNames_25() const { return ___monthNames_25; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_monthNames_25() { return &___monthNames_25; } inline void set_monthNames_25(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___monthNames_25 = value; Il2CppCodeGenWriteBarrier((void**)(&___monthNames_25), (void*)value); } inline static int32_t get_offset_of_genitiveMonthNames_26() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___genitiveMonthNames_26)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_genitiveMonthNames_26() const { return ___genitiveMonthNames_26; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_genitiveMonthNames_26() { return &___genitiveMonthNames_26; } inline void set_genitiveMonthNames_26(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___genitiveMonthNames_26 = value; Il2CppCodeGenWriteBarrier((void**)(&___genitiveMonthNames_26), (void*)value); } inline static int32_t get_offset_of_m_genitiveAbbreviatedMonthNames_27() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_genitiveAbbreviatedMonthNames_27)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_genitiveAbbreviatedMonthNames_27() const { return ___m_genitiveAbbreviatedMonthNames_27; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_genitiveAbbreviatedMonthNames_27() { return &___m_genitiveAbbreviatedMonthNames_27; } inline void set_m_genitiveAbbreviatedMonthNames_27(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_genitiveAbbreviatedMonthNames_27 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_genitiveAbbreviatedMonthNames_27), (void*)value); } inline static int32_t get_offset_of_leapYearMonthNames_28() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___leapYearMonthNames_28)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_leapYearMonthNames_28() const { return ___leapYearMonthNames_28; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_leapYearMonthNames_28() { return &___leapYearMonthNames_28; } inline void set_leapYearMonthNames_28(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___leapYearMonthNames_28 = value; Il2CppCodeGenWriteBarrier((void**)(&___leapYearMonthNames_28), (void*)value); } inline static int32_t get_offset_of_longDatePattern_29() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___longDatePattern_29)); } inline String_t* get_longDatePattern_29() const { return ___longDatePattern_29; } inline String_t** get_address_of_longDatePattern_29() { return &___longDatePattern_29; } inline void set_longDatePattern_29(String_t* value) { ___longDatePattern_29 = value; Il2CppCodeGenWriteBarrier((void**)(&___longDatePattern_29), (void*)value); } inline static int32_t get_offset_of_shortDatePattern_30() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___shortDatePattern_30)); } inline String_t* get_shortDatePattern_30() const { return ___shortDatePattern_30; } inline String_t** get_address_of_shortDatePattern_30() { return &___shortDatePattern_30; } inline void set_shortDatePattern_30(String_t* value) { ___shortDatePattern_30 = value; Il2CppCodeGenWriteBarrier((void**)(&___shortDatePattern_30), (void*)value); } inline static int32_t get_offset_of_yearMonthPattern_31() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___yearMonthPattern_31)); } inline String_t* get_yearMonthPattern_31() const { return ___yearMonthPattern_31; } inline String_t** get_address_of_yearMonthPattern_31() { return &___yearMonthPattern_31; } inline void set_yearMonthPattern_31(String_t* value) { ___yearMonthPattern_31 = value; Il2CppCodeGenWriteBarrier((void**)(&___yearMonthPattern_31), (void*)value); } inline static int32_t get_offset_of_longTimePattern_32() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___longTimePattern_32)); } inline String_t* get_longTimePattern_32() const { return ___longTimePattern_32; } inline String_t** get_address_of_longTimePattern_32() { return &___longTimePattern_32; } inline void set_longTimePattern_32(String_t* value) { ___longTimePattern_32 = value; Il2CppCodeGenWriteBarrier((void**)(&___longTimePattern_32), (void*)value); } inline static int32_t get_offset_of_shortTimePattern_33() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___shortTimePattern_33)); } inline String_t* get_shortTimePattern_33() const { return ___shortTimePattern_33; } inline String_t** get_address_of_shortTimePattern_33() { return &___shortTimePattern_33; } inline void set_shortTimePattern_33(String_t* value) { ___shortTimePattern_33 = value; Il2CppCodeGenWriteBarrier((void**)(&___shortTimePattern_33), (void*)value); } inline static int32_t get_offset_of_allYearMonthPatterns_34() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___allYearMonthPatterns_34)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_allYearMonthPatterns_34() const { return ___allYearMonthPatterns_34; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_allYearMonthPatterns_34() { return &___allYearMonthPatterns_34; } inline void set_allYearMonthPatterns_34(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___allYearMonthPatterns_34 = value; Il2CppCodeGenWriteBarrier((void**)(&___allYearMonthPatterns_34), (void*)value); } inline static int32_t get_offset_of_allShortDatePatterns_35() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___allShortDatePatterns_35)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_allShortDatePatterns_35() const { return ___allShortDatePatterns_35; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_allShortDatePatterns_35() { return &___allShortDatePatterns_35; } inline void set_allShortDatePatterns_35(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___allShortDatePatterns_35 = value; Il2CppCodeGenWriteBarrier((void**)(&___allShortDatePatterns_35), (void*)value); } inline static int32_t get_offset_of_allLongDatePatterns_36() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___allLongDatePatterns_36)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_allLongDatePatterns_36() const { return ___allLongDatePatterns_36; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_allLongDatePatterns_36() { return &___allLongDatePatterns_36; } inline void set_allLongDatePatterns_36(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___allLongDatePatterns_36 = value; Il2CppCodeGenWriteBarrier((void**)(&___allLongDatePatterns_36), (void*)value); } inline static int32_t get_offset_of_allShortTimePatterns_37() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___allShortTimePatterns_37)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_allShortTimePatterns_37() const { return ___allShortTimePatterns_37; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_allShortTimePatterns_37() { return &___allShortTimePatterns_37; } inline void set_allShortTimePatterns_37(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___allShortTimePatterns_37 = value; Il2CppCodeGenWriteBarrier((void**)(&___allShortTimePatterns_37), (void*)value); } inline static int32_t get_offset_of_allLongTimePatterns_38() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___allLongTimePatterns_38)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_allLongTimePatterns_38() const { return ___allLongTimePatterns_38; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_allLongTimePatterns_38() { return &___allLongTimePatterns_38; } inline void set_allLongTimePatterns_38(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___allLongTimePatterns_38 = value; Il2CppCodeGenWriteBarrier((void**)(&___allLongTimePatterns_38), (void*)value); } inline static int32_t get_offset_of_m_eraNames_39() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_eraNames_39)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_eraNames_39() const { return ___m_eraNames_39; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_eraNames_39() { return &___m_eraNames_39; } inline void set_m_eraNames_39(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_eraNames_39 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_eraNames_39), (void*)value); } inline static int32_t get_offset_of_m_abbrevEraNames_40() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_abbrevEraNames_40)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_abbrevEraNames_40() const { return ___m_abbrevEraNames_40; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_abbrevEraNames_40() { return &___m_abbrevEraNames_40; } inline void set_m_abbrevEraNames_40(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_abbrevEraNames_40 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_abbrevEraNames_40), (void*)value); } inline static int32_t get_offset_of_m_abbrevEnglishEraNames_41() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_abbrevEnglishEraNames_41)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_abbrevEnglishEraNames_41() const { return ___m_abbrevEnglishEraNames_41; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_abbrevEnglishEraNames_41() { return &___m_abbrevEnglishEraNames_41; } inline void set_m_abbrevEnglishEraNames_41(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_abbrevEnglishEraNames_41 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_abbrevEnglishEraNames_41), (void*)value); } inline static int32_t get_offset_of_optionalCalendars_42() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___optionalCalendars_42)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_optionalCalendars_42() const { return ___optionalCalendars_42; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_optionalCalendars_42() { return &___optionalCalendars_42; } inline void set_optionalCalendars_42(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___optionalCalendars_42 = value; Il2CppCodeGenWriteBarrier((void**)(&___optionalCalendars_42), (void*)value); } inline static int32_t get_offset_of_m_isReadOnly_44() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_isReadOnly_44)); } inline bool get_m_isReadOnly_44() const { return ___m_isReadOnly_44; } inline bool* get_address_of_m_isReadOnly_44() { return &___m_isReadOnly_44; } inline void set_m_isReadOnly_44(bool value) { ___m_isReadOnly_44 = value; } inline static int32_t get_offset_of_formatFlags_45() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___formatFlags_45)); } inline int32_t get_formatFlags_45() const { return ___formatFlags_45; } inline int32_t* get_address_of_formatFlags_45() { return &___formatFlags_45; } inline void set_formatFlags_45(int32_t value) { ___formatFlags_45 = value; } inline static int32_t get_offset_of_CultureID_47() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___CultureID_47)); } inline int32_t get_CultureID_47() const { return ___CultureID_47; } inline int32_t* get_address_of_CultureID_47() { return &___CultureID_47; } inline void set_CultureID_47(int32_t value) { ___CultureID_47 = value; } inline static int32_t get_offset_of_m_useUserOverride_48() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_useUserOverride_48)); } inline bool get_m_useUserOverride_48() const { return ___m_useUserOverride_48; } inline bool* get_address_of_m_useUserOverride_48() { return &___m_useUserOverride_48; } inline void set_m_useUserOverride_48(bool value) { ___m_useUserOverride_48 = value; } inline static int32_t get_offset_of_bUseCalendarInfo_49() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___bUseCalendarInfo_49)); } inline bool get_bUseCalendarInfo_49() const { return ___bUseCalendarInfo_49; } inline bool* get_address_of_bUseCalendarInfo_49() { return &___bUseCalendarInfo_49; } inline void set_bUseCalendarInfo_49(bool value) { ___bUseCalendarInfo_49 = value; } inline static int32_t get_offset_of_nDataItem_50() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___nDataItem_50)); } inline int32_t get_nDataItem_50() const { return ___nDataItem_50; } inline int32_t* get_address_of_nDataItem_50() { return &___nDataItem_50; } inline void set_nDataItem_50(int32_t value) { ___nDataItem_50 = value; } inline static int32_t get_offset_of_m_isDefaultCalendar_51() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_isDefaultCalendar_51)); } inline bool get_m_isDefaultCalendar_51() const { return ___m_isDefaultCalendar_51; } inline bool* get_address_of_m_isDefaultCalendar_51() { return &___m_isDefaultCalendar_51; } inline void set_m_isDefaultCalendar_51(bool value) { ___m_isDefaultCalendar_51 = value; } inline static int32_t get_offset_of_m_dateWords_53() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_dateWords_53)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_dateWords_53() const { return ___m_dateWords_53; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_dateWords_53() { return &___m_dateWords_53; } inline void set_m_dateWords_53(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_dateWords_53 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_dateWords_53), (void*)value); } inline static int32_t get_offset_of_m_fullTimeSpanPositivePattern_54() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_fullTimeSpanPositivePattern_54)); } inline String_t* get_m_fullTimeSpanPositivePattern_54() const { return ___m_fullTimeSpanPositivePattern_54; } inline String_t** get_address_of_m_fullTimeSpanPositivePattern_54() { return &___m_fullTimeSpanPositivePattern_54; } inline void set_m_fullTimeSpanPositivePattern_54(String_t* value) { ___m_fullTimeSpanPositivePattern_54 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_fullTimeSpanPositivePattern_54), (void*)value); } inline static int32_t get_offset_of_m_fullTimeSpanNegativePattern_55() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_fullTimeSpanNegativePattern_55)); } inline String_t* get_m_fullTimeSpanNegativePattern_55() const { return ___m_fullTimeSpanNegativePattern_55; } inline String_t** get_address_of_m_fullTimeSpanNegativePattern_55() { return &___m_fullTimeSpanNegativePattern_55; } inline void set_m_fullTimeSpanNegativePattern_55(String_t* value) { ___m_fullTimeSpanNegativePattern_55 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_fullTimeSpanNegativePattern_55), (void*)value); } inline static int32_t get_offset_of_m_dtfiTokenHash_57() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F, ___m_dtfiTokenHash_57)); } inline TokenHashValueU5BU5D_t5C8B41D89122FC1D3ED53C946C2656DA03CE899A* get_m_dtfiTokenHash_57() const { return ___m_dtfiTokenHash_57; } inline TokenHashValueU5BU5D_t5C8B41D89122FC1D3ED53C946C2656DA03CE899A** get_address_of_m_dtfiTokenHash_57() { return &___m_dtfiTokenHash_57; } inline void set_m_dtfiTokenHash_57(TokenHashValueU5BU5D_t5C8B41D89122FC1D3ED53C946C2656DA03CE899A* value) { ___m_dtfiTokenHash_57 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_dtfiTokenHash_57), (void*)value); } }; struct DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields { public: // System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::invariantInfo DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___invariantInfo_0; // System.Boolean System.Globalization.DateTimeFormatInfo::preferExistingTokens bool ___preferExistingTokens_46; // System.Collections.Hashtable modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_calendarNativeNames Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___s_calendarNativeNames_52; // System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_jajpDTFI DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___s_jajpDTFI_82; // System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_zhtwDTFI DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___s_zhtwDTFI_83; public: inline static int32_t get_offset_of_invariantInfo_0() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields, ___invariantInfo_0)); } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * get_invariantInfo_0() const { return ___invariantInfo_0; } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** get_address_of_invariantInfo_0() { return &___invariantInfo_0; } inline void set_invariantInfo_0(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * value) { ___invariantInfo_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___invariantInfo_0), (void*)value); } inline static int32_t get_offset_of_preferExistingTokens_46() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields, ___preferExistingTokens_46)); } inline bool get_preferExistingTokens_46() const { return ___preferExistingTokens_46; } inline bool* get_address_of_preferExistingTokens_46() { return &___preferExistingTokens_46; } inline void set_preferExistingTokens_46(bool value) { ___preferExistingTokens_46 = value; } inline static int32_t get_offset_of_s_calendarNativeNames_52() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields, ___s_calendarNativeNames_52)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get_s_calendarNativeNames_52() const { return ___s_calendarNativeNames_52; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of_s_calendarNativeNames_52() { return &___s_calendarNativeNames_52; } inline void set_s_calendarNativeNames_52(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ___s_calendarNativeNames_52 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_calendarNativeNames_52), (void*)value); } inline static int32_t get_offset_of_s_jajpDTFI_82() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields, ___s_jajpDTFI_82)); } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * get_s_jajpDTFI_82() const { return ___s_jajpDTFI_82; } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** get_address_of_s_jajpDTFI_82() { return &___s_jajpDTFI_82; } inline void set_s_jajpDTFI_82(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * value) { ___s_jajpDTFI_82 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_jajpDTFI_82), (void*)value); } inline static int32_t get_offset_of_s_zhtwDTFI_83() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_StaticFields, ___s_zhtwDTFI_83)); } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * get_s_zhtwDTFI_83() const { return ___s_zhtwDTFI_83; } inline DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** get_address_of_s_zhtwDTFI_83() { return &___s_zhtwDTFI_83; } inline void set_s_zhtwDTFI_83(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * value) { ___s_zhtwDTFI_83 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_zhtwDTFI_83), (void*)value); } }; // System.IO.CStreamReader struct CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D : public StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E { public: // System.TermInfoDriver System.IO.CStreamReader::driver TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * ___driver_21; public: inline static int32_t get_offset_of_driver_21() { return static_cast<int32_t>(offsetof(CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D, ___driver_21)); } inline TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * get_driver_21() const { return ___driver_21; } inline TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 ** get_address_of_driver_21() { return &___driver_21; } inline void set_driver_21(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * value) { ___driver_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___driver_21), (void*)value); } }; // System.IO.CStreamWriter struct CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 : public StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E { public: // System.TermInfoDriver System.IO.CStreamWriter::driver TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * ___driver_24; public: inline static int32_t get_offset_of_driver_24() { return static_cast<int32_t>(offsetof(CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450, ___driver_24)); } inline TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * get_driver_24() const { return ___driver_24; } inline TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 ** get_address_of_driver_24() { return &___driver_24; } inline void set_driver_24(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * value) { ___driver_24 = value; Il2CppCodeGenWriteBarrier((void**)(&___driver_24), (void*)value); } }; // System.IO.FileStream struct FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418 : public Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 { public: // System.Byte[] System.IO.FileStream::buf ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___buf_6; // System.String System.IO.FileStream::name String_t* ___name_7; // Microsoft.Win32.SafeHandles.SafeFileHandle System.IO.FileStream::safeHandle SafeFileHandle_tE1B31BE63CD11BBF2B9B6A205A72735F32EB1BCB * ___safeHandle_8; // System.Boolean System.IO.FileStream::isExposed bool ___isExposed_9; // System.Int64 System.IO.FileStream::append_startpos int64_t ___append_startpos_10; // System.IO.FileAccess System.IO.FileStream::access int32_t ___access_11; // System.Boolean System.IO.FileStream::owner bool ___owner_12; // System.Boolean System.IO.FileStream::async bool ___async_13; // System.Boolean System.IO.FileStream::canseek bool ___canseek_14; // System.Boolean System.IO.FileStream::anonymous bool ___anonymous_15; // System.Boolean System.IO.FileStream::buf_dirty bool ___buf_dirty_16; // System.Int32 System.IO.FileStream::buf_size int32_t ___buf_size_17; // System.Int32 System.IO.FileStream::buf_length int32_t ___buf_length_18; // System.Int32 System.IO.FileStream::buf_offset int32_t ___buf_offset_19; // System.Int64 System.IO.FileStream::buf_start int64_t ___buf_start_20; public: inline static int32_t get_offset_of_buf_6() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_6)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_buf_6() const { return ___buf_6; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_buf_6() { return &___buf_6; } inline void set_buf_6(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___buf_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___buf_6), (void*)value); } inline static int32_t get_offset_of_name_7() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___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); } inline static int32_t get_offset_of_safeHandle_8() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___safeHandle_8)); } inline SafeFileHandle_tE1B31BE63CD11BBF2B9B6A205A72735F32EB1BCB * get_safeHandle_8() const { return ___safeHandle_8; } inline SafeFileHandle_tE1B31BE63CD11BBF2B9B6A205A72735F32EB1BCB ** get_address_of_safeHandle_8() { return &___safeHandle_8; } inline void set_safeHandle_8(SafeFileHandle_tE1B31BE63CD11BBF2B9B6A205A72735F32EB1BCB * value) { ___safeHandle_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___safeHandle_8), (void*)value); } inline static int32_t get_offset_of_isExposed_9() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___isExposed_9)); } inline bool get_isExposed_9() const { return ___isExposed_9; } inline bool* get_address_of_isExposed_9() { return &___isExposed_9; } inline void set_isExposed_9(bool value) { ___isExposed_9 = value; } inline static int32_t get_offset_of_append_startpos_10() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___append_startpos_10)); } inline int64_t get_append_startpos_10() const { return ___append_startpos_10; } inline int64_t* get_address_of_append_startpos_10() { return &___append_startpos_10; } inline void set_append_startpos_10(int64_t value) { ___append_startpos_10 = value; } inline static int32_t get_offset_of_access_11() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___access_11)); } inline int32_t get_access_11() const { return ___access_11; } inline int32_t* get_address_of_access_11() { return &___access_11; } inline void set_access_11(int32_t value) { ___access_11 = value; } inline static int32_t get_offset_of_owner_12() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___owner_12)); } inline bool get_owner_12() const { return ___owner_12; } inline bool* get_address_of_owner_12() { return &___owner_12; } inline void set_owner_12(bool value) { ___owner_12 = value; } inline static int32_t get_offset_of_async_13() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___async_13)); } inline bool get_async_13() const { return ___async_13; } inline bool* get_address_of_async_13() { return &___async_13; } inline void set_async_13(bool value) { ___async_13 = value; } inline static int32_t get_offset_of_canseek_14() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___canseek_14)); } inline bool get_canseek_14() const { return ___canseek_14; } inline bool* get_address_of_canseek_14() { return &___canseek_14; } inline void set_canseek_14(bool value) { ___canseek_14 = value; } inline static int32_t get_offset_of_anonymous_15() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___anonymous_15)); } inline bool get_anonymous_15() const { return ___anonymous_15; } inline bool* get_address_of_anonymous_15() { return &___anonymous_15; } inline void set_anonymous_15(bool value) { ___anonymous_15 = value; } inline static int32_t get_offset_of_buf_dirty_16() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_dirty_16)); } inline bool get_buf_dirty_16() const { return ___buf_dirty_16; } inline bool* get_address_of_buf_dirty_16() { return &___buf_dirty_16; } inline void set_buf_dirty_16(bool value) { ___buf_dirty_16 = value; } inline static int32_t get_offset_of_buf_size_17() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_size_17)); } inline int32_t get_buf_size_17() const { return ___buf_size_17; } inline int32_t* get_address_of_buf_size_17() { return &___buf_size_17; } inline void set_buf_size_17(int32_t value) { ___buf_size_17 = value; } inline static int32_t get_offset_of_buf_length_18() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_length_18)); } inline int32_t get_buf_length_18() const { return ___buf_length_18; } inline int32_t* get_address_of_buf_length_18() { return &___buf_length_18; } inline void set_buf_length_18(int32_t value) { ___buf_length_18 = value; } inline static int32_t get_offset_of_buf_offset_19() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_offset_19)); } inline int32_t get_buf_offset_19() const { return ___buf_offset_19; } inline int32_t* get_address_of_buf_offset_19() { return &___buf_offset_19; } inline void set_buf_offset_19(int32_t value) { ___buf_offset_19 = value; } inline static int32_t get_offset_of_buf_start_20() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418, ___buf_start_20)); } inline int64_t get_buf_start_20() const { return ___buf_start_20; } inline int64_t* get_address_of_buf_start_20() { return &___buf_start_20; } inline void set_buf_start_20(int64_t value) { ___buf_start_20 = value; } }; struct FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418_StaticFields { public: // System.Byte[] System.IO.FileStream::buf_recycle ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___buf_recycle_4; // System.Object System.IO.FileStream::buf_recycle_lock RuntimeObject * ___buf_recycle_lock_5; public: inline static int32_t get_offset_of_buf_recycle_4() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418_StaticFields, ___buf_recycle_4)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_buf_recycle_4() const { return ___buf_recycle_4; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_buf_recycle_4() { return &___buf_recycle_4; } inline void set_buf_recycle_4(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___buf_recycle_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___buf_recycle_4), (void*)value); } inline static int32_t get_offset_of_buf_recycle_lock_5() { return static_cast<int32_t>(offsetof(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418_StaticFields, ___buf_recycle_lock_5)); } inline RuntimeObject * get_buf_recycle_lock_5() const { return ___buf_recycle_lock_5; } inline RuntimeObject ** get_address_of_buf_recycle_lock_5() { return &___buf_recycle_lock_5; } inline void set_buf_recycle_lock_5(RuntimeObject * value) { ___buf_recycle_lock_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___buf_recycle_lock_5), (void*)value); } }; // System.IO.UnexceptionalStreamReader struct UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA : public StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E { public: public: }; struct UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA_StaticFields { public: // System.Boolean[] System.IO.UnexceptionalStreamReader::newline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* ___newline_21; // System.Char System.IO.UnexceptionalStreamReader::newlineChar Il2CppChar ___newlineChar_22; public: inline static int32_t get_offset_of_newline_21() { return static_cast<int32_t>(offsetof(UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA_StaticFields, ___newline_21)); } inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* get_newline_21() const { return ___newline_21; } inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040** get_address_of_newline_21() { return &___newline_21; } inline void set_newline_21(BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* value) { ___newline_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___newline_21), (void*)value); } inline static int32_t get_offset_of_newlineChar_22() { return static_cast<int32_t>(offsetof(UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA_StaticFields, ___newlineChar_22)); } inline Il2CppChar get_newlineChar_22() const { return ___newlineChar_22; } inline Il2CppChar* get_address_of_newlineChar_22() { return &___newlineChar_22; } inline void set_newlineChar_22(Il2CppChar value) { ___newlineChar_22 = value; } }; // System.IO.UnexceptionalStreamWriter struct UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB : public StreamWriter_t989B894EF3BFCDF6FF5F5F068402A4F835FC8E8E { public: public: }; // System.MulticastDelegate struct MulticastDelegate_t : public Delegate_t { public: // System.Delegate[] System.MulticastDelegate::delegates DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* ___delegates_11; public: inline static int32_t get_offset_of_delegates_11() { return static_cast<int32_t>(offsetof(MulticastDelegate_t, ___delegates_11)); } inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* get_delegates_11() const { return ___delegates_11; } inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86** get_address_of_delegates_11() { return &___delegates_11; } inline void set_delegates_11(DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* value) { ___delegates_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___delegates_11), (void*)value); } }; // Native definition for P/Invoke marshalling of System.MulticastDelegate struct MulticastDelegate_t_marshaled_pinvoke : public Delegate_t_marshaled_pinvoke { Delegate_t_marshaled_pinvoke** ___delegates_11; }; // Native definition for COM marshalling of System.MulticastDelegate struct MulticastDelegate_t_marshaled_com : public Delegate_t_marshaled_com { Delegate_t_marshaled_com** ___delegates_11; }; // System.Reflection.RuntimeAssembly struct RuntimeAssembly_t5EE9CD749D82345AE5635B9665665C31A3308EB1 : public Assembly_t { public: public: }; // 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.SystemException struct SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 : public Exception_t { public: public: }; // System.TermInfoDriver struct TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 : public RuntimeObject { public: // System.TermInfoReader System.TermInfoDriver::reader TermInfoReader_tCAABF3484E6F0AA298F809766C52CA9DC4E6C55C * ___reader_3; // System.Int32 System.TermInfoDriver::cursorLeft int32_t ___cursorLeft_4; // System.Int32 System.TermInfoDriver::cursorTop int32_t ___cursorTop_5; // System.String System.TermInfoDriver::title String_t* ___title_6; // System.String System.TermInfoDriver::titleFormat String_t* ___titleFormat_7; // System.Boolean System.TermInfoDriver::cursorVisible bool ___cursorVisible_8; // System.String System.TermInfoDriver::csrVisible String_t* ___csrVisible_9; // System.String System.TermInfoDriver::csrInvisible String_t* ___csrInvisible_10; // System.String System.TermInfoDriver::clear String_t* ___clear_11; // System.String System.TermInfoDriver::bell String_t* ___bell_12; // System.String System.TermInfoDriver::term String_t* ___term_13; // System.IO.StreamReader System.TermInfoDriver::stdin StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * ___stdin_14; // System.IO.CStreamWriter System.TermInfoDriver::stdout CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * ___stdout_15; // System.Int32 System.TermInfoDriver::windowWidth int32_t ___windowWidth_16; // System.Int32 System.TermInfoDriver::windowHeight int32_t ___windowHeight_17; // System.Int32 System.TermInfoDriver::bufferHeight int32_t ___bufferHeight_18; // System.Int32 System.TermInfoDriver::bufferWidth int32_t ___bufferWidth_19; // System.Char[] System.TermInfoDriver::buffer CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___buffer_20; // System.Int32 System.TermInfoDriver::readpos int32_t ___readpos_21; // System.Int32 System.TermInfoDriver::writepos int32_t ___writepos_22; // System.String System.TermInfoDriver::keypadXmit String_t* ___keypadXmit_23; // System.String System.TermInfoDriver::keypadLocal String_t* ___keypadLocal_24; // System.Boolean System.TermInfoDriver::inited bool ___inited_25; // System.Object System.TermInfoDriver::initLock RuntimeObject * ___initLock_26; // System.Boolean System.TermInfoDriver::initKeys bool ___initKeys_27; // System.String System.TermInfoDriver::origPair String_t* ___origPair_28; // System.String System.TermInfoDriver::origColors String_t* ___origColors_29; // System.String System.TermInfoDriver::cursorAddress String_t* ___cursorAddress_30; // System.ConsoleColor System.TermInfoDriver::fgcolor int32_t ___fgcolor_31; // System.String System.TermInfoDriver::setfgcolor String_t* ___setfgcolor_32; // System.String System.TermInfoDriver::setbgcolor String_t* ___setbgcolor_33; // System.Int32 System.TermInfoDriver::maxColors int32_t ___maxColors_34; // System.Boolean System.TermInfoDriver::noGetPosition bool ___noGetPosition_35; // System.Collections.Hashtable System.TermInfoDriver::keymap Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___keymap_36; // System.ByteMatcher System.TermInfoDriver::rootmap ByteMatcher_tB199BDD35E2575B84D9FDED34954705653D241DC * ___rootmap_37; // System.Int32 System.TermInfoDriver::rl_startx int32_t ___rl_startx_38; // System.Int32 System.TermInfoDriver::rl_starty int32_t ___rl_starty_39; // System.Byte[] System.TermInfoDriver::control_characters ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___control_characters_40; // System.Char[] System.TermInfoDriver::echobuf CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___echobuf_42; // System.Int32 System.TermInfoDriver::echon int32_t ___echon_43; public: inline static int32_t get_offset_of_reader_3() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___reader_3)); } inline TermInfoReader_tCAABF3484E6F0AA298F809766C52CA9DC4E6C55C * get_reader_3() const { return ___reader_3; } inline TermInfoReader_tCAABF3484E6F0AA298F809766C52CA9DC4E6C55C ** get_address_of_reader_3() { return &___reader_3; } inline void set_reader_3(TermInfoReader_tCAABF3484E6F0AA298F809766C52CA9DC4E6C55C * value) { ___reader_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___reader_3), (void*)value); } inline static int32_t get_offset_of_cursorLeft_4() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___cursorLeft_4)); } inline int32_t get_cursorLeft_4() const { return ___cursorLeft_4; } inline int32_t* get_address_of_cursorLeft_4() { return &___cursorLeft_4; } inline void set_cursorLeft_4(int32_t value) { ___cursorLeft_4 = value; } inline static int32_t get_offset_of_cursorTop_5() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___cursorTop_5)); } inline int32_t get_cursorTop_5() const { return ___cursorTop_5; } inline int32_t* get_address_of_cursorTop_5() { return &___cursorTop_5; } inline void set_cursorTop_5(int32_t value) { ___cursorTop_5 = value; } inline static int32_t get_offset_of_title_6() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___title_6)); } inline String_t* get_title_6() const { return ___title_6; } inline String_t** get_address_of_title_6() { return &___title_6; } inline void set_title_6(String_t* value) { ___title_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___title_6), (void*)value); } inline static int32_t get_offset_of_titleFormat_7() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___titleFormat_7)); } inline String_t* get_titleFormat_7() const { return ___titleFormat_7; } inline String_t** get_address_of_titleFormat_7() { return &___titleFormat_7; } inline void set_titleFormat_7(String_t* value) { ___titleFormat_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___titleFormat_7), (void*)value); } inline static int32_t get_offset_of_cursorVisible_8() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___cursorVisible_8)); } inline bool get_cursorVisible_8() const { return ___cursorVisible_8; } inline bool* get_address_of_cursorVisible_8() { return &___cursorVisible_8; } inline void set_cursorVisible_8(bool value) { ___cursorVisible_8 = value; } inline static int32_t get_offset_of_csrVisible_9() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___csrVisible_9)); } inline String_t* get_csrVisible_9() const { return ___csrVisible_9; } inline String_t** get_address_of_csrVisible_9() { return &___csrVisible_9; } inline void set_csrVisible_9(String_t* value) { ___csrVisible_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___csrVisible_9), (void*)value); } inline static int32_t get_offset_of_csrInvisible_10() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___csrInvisible_10)); } inline String_t* get_csrInvisible_10() const { return ___csrInvisible_10; } inline String_t** get_address_of_csrInvisible_10() { return &___csrInvisible_10; } inline void set_csrInvisible_10(String_t* value) { ___csrInvisible_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___csrInvisible_10), (void*)value); } inline static int32_t get_offset_of_clear_11() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___clear_11)); } inline String_t* get_clear_11() const { return ___clear_11; } inline String_t** get_address_of_clear_11() { return &___clear_11; } inline void set_clear_11(String_t* value) { ___clear_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___clear_11), (void*)value); } inline static int32_t get_offset_of_bell_12() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___bell_12)); } inline String_t* get_bell_12() const { return ___bell_12; } inline String_t** get_address_of_bell_12() { return &___bell_12; } inline void set_bell_12(String_t* value) { ___bell_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___bell_12), (void*)value); } inline static int32_t get_offset_of_term_13() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___term_13)); } inline String_t* get_term_13() const { return ___term_13; } inline String_t** get_address_of_term_13() { return &___term_13; } inline void set_term_13(String_t* value) { ___term_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___term_13), (void*)value); } inline static int32_t get_offset_of_stdin_14() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___stdin_14)); } inline StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * get_stdin_14() const { return ___stdin_14; } inline StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E ** get_address_of_stdin_14() { return &___stdin_14; } inline void set_stdin_14(StreamReader_t62E68063760DCD2FC036AE132DE69C24B7ED001E * value) { ___stdin_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___stdin_14), (void*)value); } inline static int32_t get_offset_of_stdout_15() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___stdout_15)); } inline CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * get_stdout_15() const { return ___stdout_15; } inline CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 ** get_address_of_stdout_15() { return &___stdout_15; } inline void set_stdout_15(CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * value) { ___stdout_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___stdout_15), (void*)value); } inline static int32_t get_offset_of_windowWidth_16() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___windowWidth_16)); } inline int32_t get_windowWidth_16() const { return ___windowWidth_16; } inline int32_t* get_address_of_windowWidth_16() { return &___windowWidth_16; } inline void set_windowWidth_16(int32_t value) { ___windowWidth_16 = value; } inline static int32_t get_offset_of_windowHeight_17() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___windowHeight_17)); } inline int32_t get_windowHeight_17() const { return ___windowHeight_17; } inline int32_t* get_address_of_windowHeight_17() { return &___windowHeight_17; } inline void set_windowHeight_17(int32_t value) { ___windowHeight_17 = value; } inline static int32_t get_offset_of_bufferHeight_18() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___bufferHeight_18)); } inline int32_t get_bufferHeight_18() const { return ___bufferHeight_18; } inline int32_t* get_address_of_bufferHeight_18() { return &___bufferHeight_18; } inline void set_bufferHeight_18(int32_t value) { ___bufferHeight_18 = value; } inline static int32_t get_offset_of_bufferWidth_19() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___bufferWidth_19)); } inline int32_t get_bufferWidth_19() const { return ___bufferWidth_19; } inline int32_t* get_address_of_bufferWidth_19() { return &___bufferWidth_19; } inline void set_bufferWidth_19(int32_t value) { ___bufferWidth_19 = value; } inline static int32_t get_offset_of_buffer_20() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___buffer_20)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_buffer_20() const { return ___buffer_20; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_buffer_20() { return &___buffer_20; } inline void set_buffer_20(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___buffer_20 = value; Il2CppCodeGenWriteBarrier((void**)(&___buffer_20), (void*)value); } inline static int32_t get_offset_of_readpos_21() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___readpos_21)); } inline int32_t get_readpos_21() const { return ___readpos_21; } inline int32_t* get_address_of_readpos_21() { return &___readpos_21; } inline void set_readpos_21(int32_t value) { ___readpos_21 = value; } inline static int32_t get_offset_of_writepos_22() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___writepos_22)); } inline int32_t get_writepos_22() const { return ___writepos_22; } inline int32_t* get_address_of_writepos_22() { return &___writepos_22; } inline void set_writepos_22(int32_t value) { ___writepos_22 = value; } inline static int32_t get_offset_of_keypadXmit_23() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___keypadXmit_23)); } inline String_t* get_keypadXmit_23() const { return ___keypadXmit_23; } inline String_t** get_address_of_keypadXmit_23() { return &___keypadXmit_23; } inline void set_keypadXmit_23(String_t* value) { ___keypadXmit_23 = value; Il2CppCodeGenWriteBarrier((void**)(&___keypadXmit_23), (void*)value); } inline static int32_t get_offset_of_keypadLocal_24() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___keypadLocal_24)); } inline String_t* get_keypadLocal_24() const { return ___keypadLocal_24; } inline String_t** get_address_of_keypadLocal_24() { return &___keypadLocal_24; } inline void set_keypadLocal_24(String_t* value) { ___keypadLocal_24 = value; Il2CppCodeGenWriteBarrier((void**)(&___keypadLocal_24), (void*)value); } inline static int32_t get_offset_of_inited_25() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___inited_25)); } inline bool get_inited_25() const { return ___inited_25; } inline bool* get_address_of_inited_25() { return &___inited_25; } inline void set_inited_25(bool value) { ___inited_25 = value; } inline static int32_t get_offset_of_initLock_26() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___initLock_26)); } inline RuntimeObject * get_initLock_26() const { return ___initLock_26; } inline RuntimeObject ** get_address_of_initLock_26() { return &___initLock_26; } inline void set_initLock_26(RuntimeObject * value) { ___initLock_26 = value; Il2CppCodeGenWriteBarrier((void**)(&___initLock_26), (void*)value); } inline static int32_t get_offset_of_initKeys_27() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___initKeys_27)); } inline bool get_initKeys_27() const { return ___initKeys_27; } inline bool* get_address_of_initKeys_27() { return &___initKeys_27; } inline void set_initKeys_27(bool value) { ___initKeys_27 = value; } inline static int32_t get_offset_of_origPair_28() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___origPair_28)); } inline String_t* get_origPair_28() const { return ___origPair_28; } inline String_t** get_address_of_origPair_28() { return &___origPair_28; } inline void set_origPair_28(String_t* value) { ___origPair_28 = value; Il2CppCodeGenWriteBarrier((void**)(&___origPair_28), (void*)value); } inline static int32_t get_offset_of_origColors_29() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___origColors_29)); } inline String_t* get_origColors_29() const { return ___origColors_29; } inline String_t** get_address_of_origColors_29() { return &___origColors_29; } inline void set_origColors_29(String_t* value) { ___origColors_29 = value; Il2CppCodeGenWriteBarrier((void**)(&___origColors_29), (void*)value); } inline static int32_t get_offset_of_cursorAddress_30() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___cursorAddress_30)); } inline String_t* get_cursorAddress_30() const { return ___cursorAddress_30; } inline String_t** get_address_of_cursorAddress_30() { return &___cursorAddress_30; } inline void set_cursorAddress_30(String_t* value) { ___cursorAddress_30 = value; Il2CppCodeGenWriteBarrier((void**)(&___cursorAddress_30), (void*)value); } inline static int32_t get_offset_of_fgcolor_31() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___fgcolor_31)); } inline int32_t get_fgcolor_31() const { return ___fgcolor_31; } inline int32_t* get_address_of_fgcolor_31() { return &___fgcolor_31; } inline void set_fgcolor_31(int32_t value) { ___fgcolor_31 = value; } inline static int32_t get_offset_of_setfgcolor_32() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___setfgcolor_32)); } inline String_t* get_setfgcolor_32() const { return ___setfgcolor_32; } inline String_t** get_address_of_setfgcolor_32() { return &___setfgcolor_32; } inline void set_setfgcolor_32(String_t* value) { ___setfgcolor_32 = value; Il2CppCodeGenWriteBarrier((void**)(&___setfgcolor_32), (void*)value); } inline static int32_t get_offset_of_setbgcolor_33() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___setbgcolor_33)); } inline String_t* get_setbgcolor_33() const { return ___setbgcolor_33; } inline String_t** get_address_of_setbgcolor_33() { return &___setbgcolor_33; } inline void set_setbgcolor_33(String_t* value) { ___setbgcolor_33 = value; Il2CppCodeGenWriteBarrier((void**)(&___setbgcolor_33), (void*)value); } inline static int32_t get_offset_of_maxColors_34() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___maxColors_34)); } inline int32_t get_maxColors_34() const { return ___maxColors_34; } inline int32_t* get_address_of_maxColors_34() { return &___maxColors_34; } inline void set_maxColors_34(int32_t value) { ___maxColors_34 = value; } inline static int32_t get_offset_of_noGetPosition_35() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___noGetPosition_35)); } inline bool get_noGetPosition_35() const { return ___noGetPosition_35; } inline bool* get_address_of_noGetPosition_35() { return &___noGetPosition_35; } inline void set_noGetPosition_35(bool value) { ___noGetPosition_35 = value; } inline static int32_t get_offset_of_keymap_36() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___keymap_36)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get_keymap_36() const { return ___keymap_36; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of_keymap_36() { return &___keymap_36; } inline void set_keymap_36(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ___keymap_36 = value; Il2CppCodeGenWriteBarrier((void**)(&___keymap_36), (void*)value); } inline static int32_t get_offset_of_rootmap_37() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___rootmap_37)); } inline ByteMatcher_tB199BDD35E2575B84D9FDED34954705653D241DC * get_rootmap_37() const { return ___rootmap_37; } inline ByteMatcher_tB199BDD35E2575B84D9FDED34954705653D241DC ** get_address_of_rootmap_37() { return &___rootmap_37; } inline void set_rootmap_37(ByteMatcher_tB199BDD35E2575B84D9FDED34954705653D241DC * value) { ___rootmap_37 = value; Il2CppCodeGenWriteBarrier((void**)(&___rootmap_37), (void*)value); } inline static int32_t get_offset_of_rl_startx_38() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___rl_startx_38)); } inline int32_t get_rl_startx_38() const { return ___rl_startx_38; } inline int32_t* get_address_of_rl_startx_38() { return &___rl_startx_38; } inline void set_rl_startx_38(int32_t value) { ___rl_startx_38 = value; } inline static int32_t get_offset_of_rl_starty_39() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___rl_starty_39)); } inline int32_t get_rl_starty_39() const { return ___rl_starty_39; } inline int32_t* get_address_of_rl_starty_39() { return &___rl_starty_39; } inline void set_rl_starty_39(int32_t value) { ___rl_starty_39 = value; } inline static int32_t get_offset_of_control_characters_40() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___control_characters_40)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_control_characters_40() const { return ___control_characters_40; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_control_characters_40() { return &___control_characters_40; } inline void set_control_characters_40(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___control_characters_40 = value; Il2CppCodeGenWriteBarrier((void**)(&___control_characters_40), (void*)value); } inline static int32_t get_offset_of_echobuf_42() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___echobuf_42)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_echobuf_42() const { return ___echobuf_42; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_echobuf_42() { return &___echobuf_42; } inline void set_echobuf_42(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___echobuf_42 = value; Il2CppCodeGenWriteBarrier((void**)(&___echobuf_42), (void*)value); } inline static int32_t get_offset_of_echon_43() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653, ___echon_43)); } inline int32_t get_echon_43() const { return ___echon_43; } inline int32_t* get_address_of_echon_43() { return &___echon_43; } inline void set_echon_43(int32_t value) { ___echon_43 = value; } }; struct TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_StaticFields { public: // System.Int32* System.TermInfoDriver::native_terminal_size int32_t* ___native_terminal_size_0; // System.Int32 System.TermInfoDriver::terminal_size int32_t ___terminal_size_1; // System.String[] System.TermInfoDriver::locations StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___locations_2; // System.Int32[] System.TermInfoDriver::_consoleColorToAnsiCode Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____consoleColorToAnsiCode_41; public: inline static int32_t get_offset_of_native_terminal_size_0() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_StaticFields, ___native_terminal_size_0)); } inline int32_t* get_native_terminal_size_0() const { return ___native_terminal_size_0; } inline int32_t** get_address_of_native_terminal_size_0() { return &___native_terminal_size_0; } inline void set_native_terminal_size_0(int32_t* value) { ___native_terminal_size_0 = value; } inline static int32_t get_offset_of_terminal_size_1() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_StaticFields, ___terminal_size_1)); } inline int32_t get_terminal_size_1() const { return ___terminal_size_1; } inline int32_t* get_address_of_terminal_size_1() { return &___terminal_size_1; } inline void set_terminal_size_1(int32_t value) { ___terminal_size_1 = value; } inline static int32_t get_offset_of_locations_2() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_StaticFields, ___locations_2)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_locations_2() const { return ___locations_2; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_locations_2() { return &___locations_2; } inline void set_locations_2(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___locations_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___locations_2), (void*)value); } inline static int32_t get_offset_of__consoleColorToAnsiCode_41() { return static_cast<int32_t>(offsetof(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_StaticFields, ____consoleColorToAnsiCode_41)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__consoleColorToAnsiCode_41() const { return ____consoleColorToAnsiCode_41; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__consoleColorToAnsiCode_41() { return &____consoleColorToAnsiCode_41; } inline void set__consoleColorToAnsiCode_41(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____consoleColorToAnsiCode_41 = value; Il2CppCodeGenWriteBarrier((void**)(&____consoleColorToAnsiCode_41), (void*)value); } }; // System.TimeZoneInfo struct TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 : public RuntimeObject { public: // System.TimeSpan System.TimeZoneInfo::baseUtcOffset TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___baseUtcOffset_0; // System.String System.TimeZoneInfo::daylightDisplayName String_t* ___daylightDisplayName_1; // System.String System.TimeZoneInfo::displayName String_t* ___displayName_2; // System.String System.TimeZoneInfo::id String_t* ___id_3; // System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.TimeType>> System.TimeZoneInfo::transitions List_1_tD2FC74CFEE011F74F31183756A690154468817E9 * ___transitions_5; // System.String System.TimeZoneInfo::standardDisplayName String_t* ___standardDisplayName_7; // System.Boolean System.TimeZoneInfo::supportsDaylightSavingTime bool ___supportsDaylightSavingTime_8; // System.TimeZoneInfo_AdjustmentRule[] System.TimeZoneInfo::adjustmentRules AdjustmentRuleU5BU5D_t1106C3E56412DC2C8D9B745150D35E342A85D8AD* ___adjustmentRules_11; public: inline static int32_t get_offset_of_baseUtcOffset_0() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___baseUtcOffset_0)); } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_baseUtcOffset_0() const { return ___baseUtcOffset_0; } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_baseUtcOffset_0() { return &___baseUtcOffset_0; } inline void set_baseUtcOffset_0(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value) { ___baseUtcOffset_0 = value; } inline static int32_t get_offset_of_daylightDisplayName_1() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___daylightDisplayName_1)); } inline String_t* get_daylightDisplayName_1() const { return ___daylightDisplayName_1; } inline String_t** get_address_of_daylightDisplayName_1() { return &___daylightDisplayName_1; } inline void set_daylightDisplayName_1(String_t* value) { ___daylightDisplayName_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___daylightDisplayName_1), (void*)value); } inline static int32_t get_offset_of_displayName_2() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___displayName_2)); } inline String_t* get_displayName_2() const { return ___displayName_2; } inline String_t** get_address_of_displayName_2() { return &___displayName_2; } inline void set_displayName_2(String_t* value) { ___displayName_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___displayName_2), (void*)value); } inline static int32_t get_offset_of_id_3() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___id_3)); } inline String_t* get_id_3() const { return ___id_3; } inline String_t** get_address_of_id_3() { return &___id_3; } inline void set_id_3(String_t* value) { ___id_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___id_3), (void*)value); } inline static int32_t get_offset_of_transitions_5() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___transitions_5)); } inline List_1_tD2FC74CFEE011F74F31183756A690154468817E9 * get_transitions_5() const { return ___transitions_5; } inline List_1_tD2FC74CFEE011F74F31183756A690154468817E9 ** get_address_of_transitions_5() { return &___transitions_5; } inline void set_transitions_5(List_1_tD2FC74CFEE011F74F31183756A690154468817E9 * value) { ___transitions_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___transitions_5), (void*)value); } inline static int32_t get_offset_of_standardDisplayName_7() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___standardDisplayName_7)); } inline String_t* get_standardDisplayName_7() const { return ___standardDisplayName_7; } inline String_t** get_address_of_standardDisplayName_7() { return &___standardDisplayName_7; } inline void set_standardDisplayName_7(String_t* value) { ___standardDisplayName_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___standardDisplayName_7), (void*)value); } inline static int32_t get_offset_of_supportsDaylightSavingTime_8() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___supportsDaylightSavingTime_8)); } inline bool get_supportsDaylightSavingTime_8() const { return ___supportsDaylightSavingTime_8; } inline bool* get_address_of_supportsDaylightSavingTime_8() { return &___supportsDaylightSavingTime_8; } inline void set_supportsDaylightSavingTime_8(bool value) { ___supportsDaylightSavingTime_8 = value; } inline static int32_t get_offset_of_adjustmentRules_11() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777, ___adjustmentRules_11)); } inline AdjustmentRuleU5BU5D_t1106C3E56412DC2C8D9B745150D35E342A85D8AD* get_adjustmentRules_11() const { return ___adjustmentRules_11; } inline AdjustmentRuleU5BU5D_t1106C3E56412DC2C8D9B745150D35E342A85D8AD** get_address_of_adjustmentRules_11() { return &___adjustmentRules_11; } inline void set_adjustmentRules_11(AdjustmentRuleU5BU5D_t1106C3E56412DC2C8D9B745150D35E342A85D8AD* value) { ___adjustmentRules_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___adjustmentRules_11), (void*)value); } }; struct TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields { public: // System.TimeZoneInfo System.TimeZoneInfo::local TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * ___local_4; // System.Boolean System.TimeZoneInfo::readlinkNotFound bool ___readlinkNotFound_6; // System.TimeZoneInfo System.TimeZoneInfo::utc TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * ___utc_9; // System.String System.TimeZoneInfo::timeZoneDirectory String_t* ___timeZoneDirectory_10; // Microsoft.Win32.RegistryKey System.TimeZoneInfo::timeZoneKey RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * ___timeZoneKey_12; // Microsoft.Win32.RegistryKey System.TimeZoneInfo::localZoneKey RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * ___localZoneKey_13; // System.Collections.ObjectModel.ReadOnlyCollection`1<System.TimeZoneInfo> System.TimeZoneInfo::systemTimeZones ReadOnlyCollection_1_tD63B9891087CF571DD4322388BDDBAEEB7606FE0 * ___systemTimeZones_14; public: inline static int32_t get_offset_of_local_4() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___local_4)); } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * get_local_4() const { return ___local_4; } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 ** get_address_of_local_4() { return &___local_4; } inline void set_local_4(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * value) { ___local_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___local_4), (void*)value); } inline static int32_t get_offset_of_readlinkNotFound_6() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___readlinkNotFound_6)); } inline bool get_readlinkNotFound_6() const { return ___readlinkNotFound_6; } inline bool* get_address_of_readlinkNotFound_6() { return &___readlinkNotFound_6; } inline void set_readlinkNotFound_6(bool value) { ___readlinkNotFound_6 = value; } inline static int32_t get_offset_of_utc_9() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___utc_9)); } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * get_utc_9() const { return ___utc_9; } inline TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 ** get_address_of_utc_9() { return &___utc_9; } inline void set_utc_9(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * value) { ___utc_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___utc_9), (void*)value); } inline static int32_t get_offset_of_timeZoneDirectory_10() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___timeZoneDirectory_10)); } inline String_t* get_timeZoneDirectory_10() const { return ___timeZoneDirectory_10; } inline String_t** get_address_of_timeZoneDirectory_10() { return &___timeZoneDirectory_10; } inline void set_timeZoneDirectory_10(String_t* value) { ___timeZoneDirectory_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___timeZoneDirectory_10), (void*)value); } inline static int32_t get_offset_of_timeZoneKey_12() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___timeZoneKey_12)); } inline RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * get_timeZoneKey_12() const { return ___timeZoneKey_12; } inline RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 ** get_address_of_timeZoneKey_12() { return &___timeZoneKey_12; } inline void set_timeZoneKey_12(RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * value) { ___timeZoneKey_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___timeZoneKey_12), (void*)value); } inline static int32_t get_offset_of_localZoneKey_13() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___localZoneKey_13)); } inline RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * get_localZoneKey_13() const { return ___localZoneKey_13; } inline RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 ** get_address_of_localZoneKey_13() { return &___localZoneKey_13; } inline void set_localZoneKey_13(RegistryKey_t29D81BFF6D6710C7AF7557F80446D514B0AB7574 * value) { ___localZoneKey_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___localZoneKey_13), (void*)value); } inline static int32_t get_offset_of_systemTimeZones_14() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777_StaticFields, ___systemTimeZones_14)); } inline ReadOnlyCollection_1_tD63B9891087CF571DD4322388BDDBAEEB7606FE0 * get_systemTimeZones_14() const { return ___systemTimeZones_14; } inline ReadOnlyCollection_1_tD63B9891087CF571DD4322388BDDBAEEB7606FE0 ** get_address_of_systemTimeZones_14() { return &___systemTimeZones_14; } inline void set_systemTimeZones_14(ReadOnlyCollection_1_tD63B9891087CF571DD4322388BDDBAEEB7606FE0 * value) { ___systemTimeZones_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___systemTimeZones_14), (void*)value); } }; // System.Type struct Type_t : public MemberInfo_t { public: // System.RuntimeTypeHandle System.Type::_impl RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D ____impl_9; public: inline static int32_t get_offset_of__impl_9() { return static_cast<int32_t>(offsetof(Type_t, ____impl_9)); } inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D get__impl_9() const { return ____impl_9; } inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D * get_address_of__impl_9() { return &____impl_9; } inline void set__impl_9(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D value) { ____impl_9 = value; } }; struct Type_t_StaticFields { public: // System.Reflection.MemberFilter System.Type::FilterAttribute MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterAttribute_0; // System.Reflection.MemberFilter System.Type::FilterName MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterName_1; // System.Reflection.MemberFilter System.Type::FilterNameIgnoreCase MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterNameIgnoreCase_2; // System.Object System.Type::Missing RuntimeObject * ___Missing_3; // System.Char System.Type::Delimiter Il2CppChar ___Delimiter_4; // System.Type[] System.Type::EmptyTypes TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___EmptyTypes_5; // System.Reflection.Binder System.Type::defaultBinder Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * ___defaultBinder_6; public: inline static int32_t get_offset_of_FilterAttribute_0() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterAttribute_0)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterAttribute_0() const { return ___FilterAttribute_0; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterAttribute_0() { return &___FilterAttribute_0; } inline void set_FilterAttribute_0(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterAttribute_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterAttribute_0), (void*)value); } inline static int32_t get_offset_of_FilterName_1() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterName_1)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterName_1() const { return ___FilterName_1; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterName_1() { return &___FilterName_1; } inline void set_FilterName_1(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterName_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterName_1), (void*)value); } inline static int32_t get_offset_of_FilterNameIgnoreCase_2() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterNameIgnoreCase_2)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterNameIgnoreCase_2() const { return ___FilterNameIgnoreCase_2; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterNameIgnoreCase_2() { return &___FilterNameIgnoreCase_2; } inline void set_FilterNameIgnoreCase_2(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterNameIgnoreCase_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterNameIgnoreCase_2), (void*)value); } inline static int32_t get_offset_of_Missing_3() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Missing_3)); } inline RuntimeObject * get_Missing_3() const { return ___Missing_3; } inline RuntimeObject ** get_address_of_Missing_3() { return &___Missing_3; } inline void set_Missing_3(RuntimeObject * value) { ___Missing_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___Missing_3), (void*)value); } inline static int32_t get_offset_of_Delimiter_4() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Delimiter_4)); } inline Il2CppChar get_Delimiter_4() const { return ___Delimiter_4; } inline Il2CppChar* get_address_of_Delimiter_4() { return &___Delimiter_4; } inline void set_Delimiter_4(Il2CppChar value) { ___Delimiter_4 = value; } inline static int32_t get_offset_of_EmptyTypes_5() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___EmptyTypes_5)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_EmptyTypes_5() const { return ___EmptyTypes_5; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_EmptyTypes_5() { return &___EmptyTypes_5; } inline void set_EmptyTypes_5(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___EmptyTypes_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___EmptyTypes_5), (void*)value); } inline static int32_t get_offset_of_defaultBinder_6() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___defaultBinder_6)); } inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * get_defaultBinder_6() const { return ___defaultBinder_6; } inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 ** get_address_of_defaultBinder_6() { return &___defaultBinder_6; } inline void set_defaultBinder_6(Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * value) { ___defaultBinder_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultBinder_6), (void*)value); } }; // System.ArgumentException struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: // System.String System.ArgumentException::m_paramName String_t* ___m_paramName_17; public: inline static int32_t get_offset_of_m_paramName_17() { return static_cast<int32_t>(offsetof(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1, ___m_paramName_17)); } inline String_t* get_m_paramName_17() const { return ___m_paramName_17; } inline String_t** get_address_of_m_paramName_17() { return &___m_paramName_17; } inline void set_m_paramName_17(String_t* value) { ___m_paramName_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_paramName_17), (void*)value); } }; // System.ArithmeticException struct ArithmeticException_tF9EF5FE94597830EF315C5934258F994B8648269 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.AsyncCallback struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 : public MulticastDelegate_t { public: public: }; // System.Console_InternalCancelHandler struct InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A : public MulticastDelegate_t { public: public: }; // System.Console_WindowsConsole_WindowsCancelHandler struct WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 : public MulticastDelegate_t { public: public: }; // System.ConsoleCancelEventHandler struct ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 : public MulticastDelegate_t { public: public: }; // System.FormatException struct FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.IO.IOException struct IOException_t60E052020EDE4D3075F57A1DCC224FF8864354BA : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: // System.String System.IO.IOException::_maybeFullPath String_t* ____maybeFullPath_17; public: inline static int32_t get_offset_of__maybeFullPath_17() { return static_cast<int32_t>(offsetof(IOException_t60E052020EDE4D3075F57A1DCC224FF8864354BA, ____maybeFullPath_17)); } inline String_t* get__maybeFullPath_17() const { return ____maybeFullPath_17; } inline String_t** get_address_of__maybeFullPath_17() { return &____maybeFullPath_17; } inline void set__maybeFullPath_17(String_t* value) { ____maybeFullPath_17 = value; Il2CppCodeGenWriteBarrier((void**)(&____maybeFullPath_17), (void*)value); } }; // System.InvalidCastException struct InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.InvalidOperationException struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.NotSupportedException struct NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.NullConsoleDriver struct NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D : public RuntimeObject { public: public: }; struct NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D_StaticFields { public: // System.ConsoleKeyInfo System.NullConsoleDriver::EmptyConsoleKeyInfo ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ___EmptyConsoleKeyInfo_0; public: inline static int32_t get_offset_of_EmptyConsoleKeyInfo_0() { return static_cast<int32_t>(offsetof(NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D_StaticFields, ___EmptyConsoleKeyInfo_0)); } inline ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 get_EmptyConsoleKeyInfo_0() const { return ___EmptyConsoleKeyInfo_0; } inline ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * get_address_of_EmptyConsoleKeyInfo_0() { return &___EmptyConsoleKeyInfo_0; } inline void set_EmptyConsoleKeyInfo_0(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 value) { ___EmptyConsoleKeyInfo_0 = value; } }; // System.OutOfMemoryException struct OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.Reflection.TypeInfo struct TypeInfo_t9D6F65801A41B97F36138B15FD270A1550DBB3FC : public Type_t { public: public: }; // System.Runtime.Serialization.SerializationException struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_StaticFields { public: // System.String System.Runtime.Serialization.SerializationException::_nullMessage String_t* ____nullMessage_17; public: inline static int32_t get_offset_of__nullMessage_17() { return static_cast<int32_t>(offsetof(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_StaticFields, ____nullMessage_17)); } inline String_t* get__nullMessage_17() const { return ____nullMessage_17; } inline String_t** get_address_of__nullMessage_17() { return &____nullMessage_17; } inline void set__nullMessage_17(String_t* value) { ____nullMessage_17 = value; Il2CppCodeGenWriteBarrier((void**)(&____nullMessage_17), (void*)value); } }; // System.ArgumentNullException struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 { public: public: }; // System.ArgumentOutOfRangeException struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 { public: // System.Object System.ArgumentOutOfRangeException::m_actualValue RuntimeObject * ___m_actualValue_19; public: inline static int32_t get_offset_of_m_actualValue_19() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA, ___m_actualValue_19)); } inline RuntimeObject * get_m_actualValue_19() const { return ___m_actualValue_19; } inline RuntimeObject ** get_address_of_m_actualValue_19() { return &___m_actualValue_19; } inline void set_m_actualValue_19(RuntimeObject * value) { ___m_actualValue_19 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_actualValue_19), (void*)value); } }; struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields { public: // System.String modreq(System.Runtime.CompilerServices.IsVolatile) System.ArgumentOutOfRangeException::_rangeMessage String_t* ____rangeMessage_18; public: inline static int32_t get_offset_of__rangeMessage_18() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields, ____rangeMessage_18)); } inline String_t* get__rangeMessage_18() const { return ____rangeMessage_18; } inline String_t** get_address_of__rangeMessage_18() { return &____rangeMessage_18; } inline void set__rangeMessage_18(String_t* value) { ____rangeMessage_18 = value; Il2CppCodeGenWriteBarrier((void**)(&____rangeMessage_18), (void*)value); } }; // System.OverflowException struct OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D : public ArithmeticException_tF9EF5FE94597830EF315C5934258F994B8648269 { public: public: }; // System.RuntimeType struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F : public TypeInfo_t9D6F65801A41B97F36138B15FD270A1550DBB3FC { public: // System.MonoTypeInfo System.RuntimeType::type_info MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * ___type_info_26; // System.Object System.RuntimeType::GenericCache RuntimeObject * ___GenericCache_27; // System.Reflection.RuntimeConstructorInfo System.RuntimeType::m_serializationCtor RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * ___m_serializationCtor_28; public: inline static int32_t get_offset_of_type_info_26() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___type_info_26)); } inline MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * get_type_info_26() const { return ___type_info_26; } inline MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D ** get_address_of_type_info_26() { return &___type_info_26; } inline void set_type_info_26(MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * value) { ___type_info_26 = value; Il2CppCodeGenWriteBarrier((void**)(&___type_info_26), (void*)value); } inline static int32_t get_offset_of_GenericCache_27() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___GenericCache_27)); } inline RuntimeObject * get_GenericCache_27() const { return ___GenericCache_27; } inline RuntimeObject ** get_address_of_GenericCache_27() { return &___GenericCache_27; } inline void set_GenericCache_27(RuntimeObject * value) { ___GenericCache_27 = value; Il2CppCodeGenWriteBarrier((void**)(&___GenericCache_27), (void*)value); } inline static int32_t get_offset_of_m_serializationCtor_28() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___m_serializationCtor_28)); } inline RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * get_m_serializationCtor_28() const { return ___m_serializationCtor_28; } inline RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D ** get_address_of_m_serializationCtor_28() { return &___m_serializationCtor_28; } inline void set_m_serializationCtor_28(RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * value) { ___m_serializationCtor_28 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_serializationCtor_28), (void*)value); } }; struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields { public: // System.RuntimeType System.RuntimeType::ValueType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___ValueType_10; // System.RuntimeType System.RuntimeType::EnumType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___EnumType_11; // System.RuntimeType System.RuntimeType::ObjectType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___ObjectType_12; // System.RuntimeType System.RuntimeType::StringType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___StringType_13; // System.RuntimeType System.RuntimeType::DelegateType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___DelegateType_14; // System.Type[] System.RuntimeType::s_SICtorParamTypes TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___s_SICtorParamTypes_15; // System.RuntimeType System.RuntimeType::s_typedRef RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___s_typedRef_25; public: inline static int32_t get_offset_of_ValueType_10() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___ValueType_10)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_ValueType_10() const { return ___ValueType_10; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_ValueType_10() { return &___ValueType_10; } inline void set_ValueType_10(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___ValueType_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___ValueType_10), (void*)value); } inline static int32_t get_offset_of_EnumType_11() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___EnumType_11)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_EnumType_11() const { return ___EnumType_11; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_EnumType_11() { return &___EnumType_11; } inline void set_EnumType_11(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___EnumType_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___EnumType_11), (void*)value); } inline static int32_t get_offset_of_ObjectType_12() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___ObjectType_12)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_ObjectType_12() const { return ___ObjectType_12; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_ObjectType_12() { return &___ObjectType_12; } inline void set_ObjectType_12(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___ObjectType_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___ObjectType_12), (void*)value); } inline static int32_t get_offset_of_StringType_13() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___StringType_13)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_StringType_13() const { return ___StringType_13; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_StringType_13() { return &___StringType_13; } inline void set_StringType_13(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___StringType_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___StringType_13), (void*)value); } inline static int32_t get_offset_of_DelegateType_14() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___DelegateType_14)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_DelegateType_14() const { return ___DelegateType_14; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_DelegateType_14() { return &___DelegateType_14; } inline void set_DelegateType_14(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___DelegateType_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___DelegateType_14), (void*)value); } inline static int32_t get_offset_of_s_SICtorParamTypes_15() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___s_SICtorParamTypes_15)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_s_SICtorParamTypes_15() const { return ___s_SICtorParamTypes_15; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_s_SICtorParamTypes_15() { return &___s_SICtorParamTypes_15; } inline void set_s_SICtorParamTypes_15(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___s_SICtorParamTypes_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_SICtorParamTypes_15), (void*)value); } inline static int32_t get_offset_of_s_typedRef_25() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___s_typedRef_25)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_s_typedRef_25() const { return ___s_typedRef_25; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_s_typedRef_25() { return &___s_typedRef_25; } inline void set_s_typedRef_25(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___s_typedRef_25 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_typedRef_25), (void*)value); } }; #ifdef __clang__ #pragma clang diagnostic pop #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.Object[] struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A : 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.Delegate[] struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86 : public RuntimeArray { public: ALIGN_FIELD (8) Delegate_t * m_Items[1]; public: inline Delegate_t * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Delegate_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, Delegate_t * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Delegate_t * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Delegate_t ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Delegate_t * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)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.RuntimeType[] struct RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * m_Items[1]; public: inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** 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, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Char[] struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2 : public RuntimeArray { public: ALIGN_FIELD (8) Il2CppChar m_Items[1]; public: inline Il2CppChar GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Il2CppChar* 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, Il2CppChar value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Il2CppChar GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Il2CppChar* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Il2CppChar 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.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.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.Int32 System.Array::IndexOf<System.Object>(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method); // System.Void System.Object::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0 (RuntimeObject * __this, const RuntimeMethod* method); // System.Object System.Object::MemberwiseClone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Object_MemberwiseClone_m1DAC4538CD68D4CF4DC5B04E4BBE86D470948B28 (RuntimeObject * __this, const RuntimeMethod* method); // System.String System.Environment::GetResourceString(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9 (String_t* ___key0, const RuntimeMethod* method); // System.Void System.InvalidOperationException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706 (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Void System.Collections.DictionaryEntry::.ctor(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B (DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // System.Void System.ArgumentNullException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * __this, String_t* ___paramName0, const RuntimeMethod* method); // System.Int32 System.Array::get_Rank() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1 (RuntimeArray * __this, const RuntimeMethod* method); // System.Void System.ArgumentException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Void System.ArgumentOutOfRangeException::.ctor(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * __this, String_t* ___paramName0, String_t* ___message1, const RuntimeMethod* method); // System.Int32 System.Array::get_Length() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D (RuntimeArray * __this, const RuntimeMethod* method); // System.Void System.Collections.Hashtable::CopyKeys(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Hashtable_CopyKeys_m84AE68F9F9B7C73AE749F45EDAE2413398D0F2BF (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method); // System.Void System.Collections.Hashtable/HashtableEnumerator::.ctor(System.Collections.Hashtable,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashtableEnumerator__ctor_mA4893AEBBF14528B90AF67E83490AC2CE935A166 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___hashtable0, int32_t ___getObjRetType1, const RuntimeMethod* method); // System.Void System.Collections.Hashtable::.ctor(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Hashtable__ctor_m25CFEE0C3607B2CF35DCCC61FD924708F082BF90 (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * __this, bool ___trash0, const RuntimeMethod* method); // System.Void System.Collections.Hashtable::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Hashtable__ctor_m7CD7D10246451D96AD05E8A593AA1E74412FA453 (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method); // System.Type System.Type::GetTypeFromHandle(System.RuntimeTypeHandle) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Type_t * Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6 (RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D ___handle0, const RuntimeMethod* method); // System.Object System.Runtime.Serialization.SerializationInfo::GetValue(System.String,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, Type_t * ___type1, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1 (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Void System.Threading.Monitor::Enter(System.Object,System.Boolean&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5 (RuntimeObject * ___obj0, bool* ___lockTaken1, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationInfo::AddValue(System.String,System.Object,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, RuntimeObject * ___value1, Type_t * ___type2, const RuntimeMethod* method); // System.Void System.Threading.Monitor::Exit(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2 (RuntimeObject * ___obj0, const RuntimeMethod* method); // System.Void System.ArgumentNullException::.ctor(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * __this, String_t* ___paramName0, String_t* ___message1, const RuntimeMethod* method); // System.Collections.Hashtable System.Collections.Hashtable::Synchronized(System.Collections.Hashtable) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * Hashtable_Synchronized_mC8C9F5D223078C699FD738B48A4A760549C2221E (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___table0, const RuntimeMethod* method); // System.Void System.Collections.Hashtable::CopyValues(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Hashtable_CopyValues_m3FD762F0A826EFE7C7CBBC5EEC14C47B1CEF5219 (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method); // System.Type System.Object::GetType() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Type_t * Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60 (RuntimeObject * __this, const RuntimeMethod* method); // System.Void System.ArgumentException::.ctor(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* ___message0, String_t* ___paramName1, const RuntimeMethod* method); // System.Void System.Collections.ListDictionaryInternal/DictionaryNode::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DictionaryNode__ctor_m28FE319F1995014B22485F864C292E738AF54B93 (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * __this, const RuntimeMethod* method); // System.Void System.Collections.ListDictionaryInternal/NodeKeyValueCollection::.ctor(System.Collections.ListDictionaryInternal,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueCollection__ctor_m431AFE81FFA8307BCF6E6145FF51F5E2F970769C (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, bool ___isKeys1, const RuntimeMethod* method); // System.String System.Environment::GetResourceString(System.String,System.Object[]) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB (String_t* ___key0, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___values1, const RuntimeMethod* method); // System.Int32 System.Collections.ListDictionaryInternal::get_Count() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t ListDictionaryInternal_get_Count_m671A61D7E3D45284ED6F24657DCA0E7BAE22F1B7_inline (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method); // System.Void System.Array::SetValue(System.Object,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Array_SetValue_m3C6811CE9C45D1E461404B5D2FBD4EC1A054FDCA (RuntimeArray * __this, RuntimeObject * ___value0, int32_t ___index1, const RuntimeMethod* method); // System.Void System.Collections.ListDictionaryInternal/NodeEnumerator::.ctor(System.Collections.ListDictionaryInternal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeEnumerator__ctor_mEE9B2996CF37AAE5724A95BB6A694D6666BF75BA (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, const RuntimeMethod* method); // System.Collections.DictionaryEntry System.Collections.ListDictionaryInternal/NodeEnumerator::get_Entry() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method); // System.Object System.Collections.ListDictionaryInternal::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ListDictionaryInternal_get_SyncRoot_m88EB114FF189FA895C06678E7185AC9DA04FA950 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method); // System.Void System.Collections.ListDictionaryInternal/NodeKeyValueCollection/NodeKeyValueEnumerator::.ctor(System.Collections.ListDictionaryInternal,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueEnumerator__ctor_m3DF6E9ED3123CBE0BB387D93DB69CA3A5B881EA2 (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, bool ___isKeys1, const RuntimeMethod* method); // System.Void System.Collections.LowLevelComparer::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LowLevelComparer__ctor_m880FBF3287CA2B9BA3A3501F8492A224C3045605 (LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * __this, const RuntimeMethod* method); // System.Void System.Collections.Queue::.ctor(System.Int32,System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, float ___growFactor1, const RuntimeMethod* method); // System.Void System.Collections.Queue::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_m7A38C651E238B2B6626D9DE8182210D956F4FCCD (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, const RuntimeMethod* method); // System.Void System.Array::Copy(System.Array,System.Int32,System.Array,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6 (RuntimeArray * ___sourceArray0, int32_t ___sourceIndex1, RuntimeArray * ___destinationArray2, int32_t ___destinationIndex3, int32_t ___length4, const RuntimeMethod* method); // System.Object System.Threading.Interlocked::CompareExchange(System.Object&,System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Interlocked_CompareExchange_m92F692322F12C6FD29B3834B380639DCD094B651 (RuntimeObject ** ___location10, RuntimeObject * ___value1, RuntimeObject * ___comparand2, const RuntimeMethod* method); // System.Void System.Array::Clear(System.Array,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E (RuntimeArray * ___array0, int32_t ___index1, int32_t ___length2, const RuntimeMethod* method); // System.Void System.Collections.Queue::SetCapacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue_SetCapacity_mB3C8692505E4094B25C932B8AED6EB6A032283A0 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, const RuntimeMethod* method); // System.Void System.Collections.Queue/QueueEnumerator::.ctor(System.Collections.Queue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void QueueEnumerator__ctor_m092D234EC5E7E625B31D1D626D951C1835F87EDF (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * ___q0, const RuntimeMethod* method); // System.Object System.Collections.Queue::GetElement(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_GetElement_m612CFE182D43EF6A21EB21CDF53F80F4BC36816C (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___i0, const RuntimeMethod* method); // System.Void System.Collections.ArrayList::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArrayList__ctor_m481FA7B37620B59B8C0434A764F5705A6ABDEAE6 (ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * __this, const RuntimeMethod* method); // System.Collections.ArrayList System.Collections.ReadOnlyCollectionBase::get_InnerList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method); // System.Void System.Collections.SortedList::Init() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Init_m117CAD874BDC5E2559B518368A167CD4011F54C5 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method); // System.Globalization.CultureInfo System.Globalization.CultureInfo::get_CurrentCulture() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831 (const RuntimeMethod* method); // System.Void System.Collections.Comparer::.ctor(System.Globalization.CultureInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Comparer__ctor_m48A082269DF4CAE72581C18FD8C232B8CF1B09CA (Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * __this, CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___culture0, const RuntimeMethod* method); // System.Void System.Collections.SortedList::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_mBF1B7B8D37D3C752EA3F9FA173076B9478A35CEE (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method); // System.Void System.Collections.SortedList::.ctor(System.Collections.IComparer) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_mD73C626428344DB75A9EE4EBDD009568226D7757 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject* ___comparer0, const RuntimeMethod* method); // System.Int32 System.Array::BinarySearch(System.Array,System.Int32,System.Int32,System.Object,System.Collections.IComparer) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_BinarySearch_m9DDEAE93E0F338A676E9FF7E97AAEFF8D009D32F (RuntimeArray * ___array0, int32_t ___index1, int32_t ___length2, RuntimeObject * ___value3, RuntimeObject* ___comparer4, const RuntimeMethod* method); // System.Void System.Collections.SortedList::Insert(System.Int32,System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Insert_mDC41054D6440DF5AD4873ABB9D4F4583067B6287 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___index0, RuntimeObject * ___key1, RuntimeObject * ___value2, const RuntimeMethod* method); // System.Void System.Collections.SortedList::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___initialCapacity0, const RuntimeMethod* method); // System.Void System.Collections.SortedList/SortedListEnumerator::.ctor(System.Collections.SortedList,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, int32_t ___index1, int32_t ___count2, int32_t ___getObjRetType3, const RuntimeMethod* method); // System.Void System.Collections.SortedList/KeyList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList__ctor_mB06396E8F90655E4AF3E8622F4D7DFD036D85343 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, const RuntimeMethod* method); // System.Void System.Collections.SortedList/ValueList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList__ctor_mB3711C4B350CD4F0FBE39FCC40DDF27A036E48FB (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, const RuntimeMethod* method); // System.Int32 System.Array::IndexOf<System.Object>(T[],T,System.Int32,System.Int32) inline int32_t Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { return (( int32_t (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, RuntimeObject *, int32_t, int32_t, const RuntimeMethod*))Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF_gshared)(___array0, ___value1, ___startIndex2, ___count3, method); } // System.Void System.Collections.SortedList::EnsureCapacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_EnsureCapacity_m70B0336FC9612C2932F3CABF925355D4245D7C85 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___min0, const RuntimeMethod* method); // System.Void System.Collections.SortedList/SyncSortedList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList__ctor_mB40704E91760DC82374A9112ACB76744F60ED2E2 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___list0, const RuntimeMethod* method); // System.Void System.NotSupportedException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Void System.Collections.Stack::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, int32_t ___initialCapacity0, const RuntimeMethod* method); // System.Void System.Collections.Stack/StackEnumerator::.ctor(System.Collections.Stack) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void StackEnumerator__ctor_m6F43FBDA48F989B725ADA7CCEC46900630B631F7 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * ___stack0, const RuntimeMethod* method); // System.Void System.Console/InternalCancelHandler::.ctor(System.Object,System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InternalCancelHandler__ctor_m82D5D85CC1F50839540B6072DFCADAD07F6223FF (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method); // System.Boolean System.Environment::get_IsRunningOnWindows() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Environment_get_IsRunningOnWindows_m450E4F44CC5B040187C3E0E42B129780FABE455D (const RuntimeMethod* method); // System.Int32 System.Console/WindowsConsole::GetInputCodePage() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetInputCodePage_m492EDD139F7E66A90971A069FA4DD63000F77B4F (const RuntimeMethod* method); // System.Text.Encoding System.Text.Encoding::GetEncoding(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * Encoding_GetEncoding_m0F51F30DFDD74D989E27C58C53FC82718CC51F68 (int32_t ___codepage0, const RuntimeMethod* method); // System.Int32 System.Console/WindowsConsole::GetOutputCodePage() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetOutputCodePage_mAF546B0FBC6558F7F2636A86E8733AD4AD2C4DE3 (const RuntimeMethod* method); // System.Text.Encoding System.Text.Encoding::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * Encoding_get_Default_m625C78C2A9A8504B8BA4141994412513DC470CE2 (const RuntimeMethod* method); // System.String System.Text.EncodingHelper::InternalCodePage(System.Int32&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* EncodingHelper_InternalCodePage_m40D628F42FC6E0B635B21496F0BA71A00B009432 (int32_t* ___code_page0, const RuntimeMethod* method); // System.Text.Encoding System.Text.EncodingHelper::get_UTF8Unmarked() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * EncodingHelper_get_UTF8Unmarked_mDC45343C3BA5B14AD998D36344DDFD0B7068E335 (const RuntimeMethod* method); // System.Void System.Console::SetupStreams(System.Text.Encoding,System.Text.Encoding) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console_SetupStreams_m6CC1706E3A1838A0C710F3053EF589C7BA934065 (Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___inputEncoding0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___outputEncoding1, const RuntimeMethod* method); // System.Boolean System.ConsoleDriver::get_IsConsole() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731 (const RuntimeMethod* method); // System.IO.Stream System.Console::OpenStandardInput(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98 (int32_t ___bufferSize0, const RuntimeMethod* method); // System.Void System.IO.CStreamReader::.ctor(System.IO.Stream,System.Text.Encoding) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void CStreamReader__ctor_m0522E27BADB6649A8E512728F900EFFA4DBD301A (CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D * __this, Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding1, const RuntimeMethod* method); // System.IO.Stream System.Console::OpenStandardOutput(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823 (int32_t ___bufferSize0, const RuntimeMethod* method); // System.Void System.IO.CStreamWriter::.ctor(System.IO.Stream,System.Text.Encoding,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void CStreamWriter__ctor_m967462FE0368BE80A448F0082E70B326088E2E95 (CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * __this, Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding1, bool ___leaveOpen2, const RuntimeMethod* method); // System.IO.TextWriter System.IO.TextWriter::Synchronized(System.IO.TextWriter) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * TextWriter_Synchronized_m09204B9D335A228553F62AB1588490109E5DCD86 (TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * ___writer0, const RuntimeMethod* method); // System.IO.Stream System.Console::OpenStandardError(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F (int32_t ___bufferSize0, const RuntimeMethod* method); // System.Void System.IO.UnexceptionalStreamReader::.ctor(System.IO.Stream,System.Text.Encoding) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void UnexceptionalStreamReader__ctor_m66258235565573CF051C6F053EADEEF9A67A084D (UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA * __this, Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding1, const RuntimeMethod* method); // System.IO.TextReader System.IO.TextReader::Synchronized(System.IO.TextReader) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * TextReader_Synchronized_mAC0571B77131073ED9B627C8FEE2082CB28EDA9D (TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * ___reader0, const RuntimeMethod* method); // System.Void System.IO.UnexceptionalStreamWriter::.ctor(System.IO.Stream,System.Text.Encoding) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void UnexceptionalStreamWriter__ctor_m4504DBFFC2C8A76C6BA8BB0EE18630E32D03C772 (UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB * __this, Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * ___stream0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___encoding1, const RuntimeMethod* method); // System.Void System.GC::SuppressFinalize(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425 (RuntimeObject * ___obj0, const RuntimeMethod* method); // System.Void System.IO.FileStream::.ctor(System.IntPtr,System.IO.FileAccess,System.Boolean,System.Int32,System.Boolean,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void FileStream__ctor_mBBACDACB97FD9346AC2A5E164C86AB0BA0D160D6 (FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418 * __this, intptr_t ___handle0, int32_t ___access1, bool ___ownsHandle2, int32_t ___bufferSize3, bool ___isAsync4, bool ___isConsoleWrapper5, const RuntimeMethod* method); // System.IntPtr System.IO.MonoIO::get_ConsoleError() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR intptr_t MonoIO_get_ConsoleError_mBF62E29F14657C9B5982694B3901F6AD7EEB6EFD (const RuntimeMethod* method); // System.IO.Stream System.Console::Open(System.IntPtr,System.IO.FileAccess,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340 (intptr_t ___handle0, int32_t ___access1, int32_t ___bufferSize2, const RuntimeMethod* method); // System.IntPtr System.IO.MonoIO::get_ConsoleInput() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR intptr_t MonoIO_get_ConsoleInput_mFC797DF758331A0370296F8DF3136A6B9F1995DC (const RuntimeMethod* method); // System.IntPtr System.IO.MonoIO::get_ConsoleOutput() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR intptr_t MonoIO_get_ConsoleOutput_m7E36914F192D603C50A8F39745F6443BB2882859 (const RuntimeMethod* method); // System.ConsoleKeyInfo System.Console::ReadKey(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 Console_ReadKey_m64DBD2BDB13D04E2E73B95F1BD3B9D08B370D3BA (bool ___intercept0, const RuntimeMethod* method); // System.ConsoleKeyInfo System.ConsoleDriver::ReadKey(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ConsoleDriver_ReadKey_m26C9ECDAE36AEE4B923BFDD9420D341AB3DDA900 (bool ___intercept0, const RuntimeMethod* method); // System.Void System.ConsoleCancelEventArgs::.ctor(System.ConsoleSpecialKey) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventArgs__ctor_mF734EC3C82D0A490C0A05416E566BFC53ACFB471 (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, int32_t ___type0, const RuntimeMethod* method); // System.Void System.ConsoleCancelEventHandler::Invoke(System.Object,System.ConsoleCancelEventArgs) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventHandler_Invoke_mC7E3B6D8555B865719369DBF255D2BB7E952ADD2 (ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * __this, RuntimeObject * ___sender0, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * ___e1, const RuntimeMethod* method); // System.Boolean System.ConsoleCancelEventArgs::get_Cancel() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR bool ConsoleCancelEventArgs_get_Cancel_mA996E8B7FE802D9A15208AFF397481646751A46F_inline (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, const RuntimeMethod* method); // System.Void System.Environment::Exit(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Environment_Exit_m3398C2AF5F6AE7197249ECFEDFC624582ADB86EE (int32_t ___exitCode0, const RuntimeMethod* method); // System.Void System.Console::DoConsoleCancelEvent() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD (const RuntimeMethod* method); // System.Int32 System.Console/WindowsConsole::GetConsoleCP() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetConsoleCP_m113D8CEC7639D78D9C1D5BA7EA60D70C2F5DB870 (const RuntimeMethod* method); // System.Int32 System.Console/WindowsConsole::GetConsoleOutputCP() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetConsoleOutputCP_m7FC4A3A6237BCB23BFCFCD4295C06F42C3FEE440 (const RuntimeMethod* method); // System.Void System.Console/WindowsConsole/WindowsCancelHandler::.ctor(System.Object,System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void WindowsCancelHandler__ctor_m75C4D20D6754BB22B858DCB2062CCD61742DEFCF (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method); // System.Void System.EventArgs::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EventArgs__ctor_m3551293259861C5A78CD47689D559F828ED29DF7 (EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E * __this, const RuntimeMethod* method); // System.IConsoleDriver System.ConsoleDriver::CreateNullConsoleDriver() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17 (const RuntimeMethod* method); // System.IConsoleDriver System.ConsoleDriver::CreateWindowsConsoleDriver() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateWindowsConsoleDriver_mB2C43CDD6BD7C2159D7B939D8EEBEA9BFC07F5DF (const RuntimeMethod* method); // System.String System.Environment::GetEnvironmentVariable(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Environment_GetEnvironmentVariable_mB94020EE6B0D5BADF024E4BE6FBC54A5954D2185 (String_t* ___variable0, const RuntimeMethod* method); // System.Boolean System.String::op_Equality(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE (String_t* ___a0, String_t* ___b1, const RuntimeMethod* method); // System.IConsoleDriver System.ConsoleDriver::CreateTermInfoDriver(System.String) IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateTermInfoDriver_m93B83A6BC60910A8FDFA247BE56A30055E687342 (String_t* ___term0, const RuntimeMethod* method); // System.Void System.NullConsoleDriver::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NullConsoleDriver__ctor_mEF6695F8B8CEE021CD5EC693237034A53D484CB2 (NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D * __this, const RuntimeMethod* method); // System.Void System.WindowsConsoleDriver::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void WindowsConsoleDriver__ctor_m9C9E675288391C478152CCB5789D7726611BF70D (WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42 * __this, const RuntimeMethod* method); // System.Void System.TermInfoDriver::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void TermInfoDriver__ctor_mDBF60028AEDAE114F1EC4FA8538F29B49AB11EF2 (TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * __this, String_t* ___term0, const RuntimeMethod* method); // System.Boolean System.ConsoleDriver::Isatty(System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37 (intptr_t ___handle0, const RuntimeMethod* method); // System.Void System.ConsoleKeyInfo::.ctor(System.Char,System.ConsoleKey,System.Boolean,System.Boolean,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, Il2CppChar ___keyChar0, int32_t ___key1, bool ___shift2, bool ___alt3, bool ___control4, const RuntimeMethod* method); // System.Char System.ConsoleKeyInfo::get_KeyChar() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Il2CppChar ConsoleKeyInfo_get_KeyChar_m6B17C3F0DF650E04D7C0C081E063AE31E8C14509_inline (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method); // System.ConsoleKey System.ConsoleKeyInfo::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t ConsoleKeyInfo_get_Key_m36CD740D4C51FB4F4277AC7E6CD24D79DF5C8AC5_inline (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method); // System.Boolean System.ConsoleKeyInfo::Equals(System.ConsoleKeyInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleKeyInfo_Equals_m856A0CCC02F22515A8D33AB4B574FC2E7D42C13B (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ___obj0, const RuntimeMethod* method); // System.Boolean System.ConsoleKeyInfo::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, RuntimeObject * ___value0, const RuntimeMethod* method); // System.Int32 System.ConsoleKeyInfo::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ConsoleKeyInfo_GetHashCode_mC17663E6043305F599B0AE2DC7534466C9CD6C28 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method); // System.Void System.MarshalByRefObject::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void MarshalByRefObject__ctor_mD1C6F1D191B1A50DC93E8B214BCCA9BD93FDE850 (MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF * __this, const RuntimeMethod* method); // System.Void System.Attribute::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0 (Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 * __this, const RuntimeMethod* method); // System.Void System.InvalidCastException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812 (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * __this, String_t* ___message0, const RuntimeMethod* method); // System.Boolean System.Type::op_Equality(System.Type,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8 (Type_t * ___left0, Type_t * ___right1, const RuntimeMethod* method); // System.Boolean System.RuntimeType::op_Inequality(System.RuntimeType,System.RuntimeType) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool RuntimeType_op_Inequality_mA98A719712593FEE5DCCFDB47CCABDB58BEE1B0D (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___left0, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___right1, const RuntimeMethod* method); // System.Boolean System.RuntimeType::op_Equality(System.RuntimeType,System.RuntimeType) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4 (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___left0, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___right1, const RuntimeMethod* method); // System.Boolean System.Type::get_IsValueType() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Type_get_IsValueType_mDDCCBAE9B59A483CBC3E5C02E3D68CEBEB2E41A8 (Type_t * __this, const RuntimeMethod* method); // System.Boolean System.Boolean::Parse(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Boolean_Parse_m82CC57BC939797529A5CC485B6C26E8CE67A646F (String_t* ___value0, const RuntimeMethod* method); // System.Boolean System.Decimal::op_Inequality(System.Decimal,System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Decimal_op_Inequality_m18DB27574F40577B4D0D3C732BDA45135B41FD3D (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d10, Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d21, const RuntimeMethod* method); // System.Void System.OverflowException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731 (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * __this, String_t* ___message0, const RuntimeMethod* method); // System.Int32 System.String::get_Length() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline (String_t* __this, const RuntimeMethod* method); // System.Void System.FormatException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14 (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * __this, String_t* ___message0, const RuntimeMethod* method); // System.Char System.String::get_Chars(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96 (String_t* __this, int32_t ___index0, const RuntimeMethod* method); // System.SByte System.Convert::ToSByte(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m286EC501DE7B1980DE30BBB28DDA70AE4BB696E5 (double ___value0, const RuntimeMethod* method); // System.Int32 System.Convert::ToInt32(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C (double ___value0, const RuntimeMethod* method); // System.SByte System.Convert::ToSByte(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34 (int32_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::Round(System.Decimal,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d0, int32_t ___decimals1, const RuntimeMethod* method); // System.SByte System.Decimal::ToSByte(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Decimal_ToSByte_m7AB199A01D92932483C3F2B1CA7C5C837758395D (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.SByte System.SByte::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t SByte_Parse_m3CCD04AED0DC62F729DFA2FF45DA1E4C8BACDD60 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Byte System.Convert::ToByte(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m91AFBFC15EA62AF9EA9826E3F777635C1E18F32C (double ___value0, const RuntimeMethod* method); // System.Byte System.Convert::ToByte(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64 (int32_t ___value0, const RuntimeMethod* method); // System.Byte System.Decimal::ToByte(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Decimal_ToByte_mE1A4E4DBE29BA89E812BA28BC7B637B849DC2526 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.Byte System.Byte::Parse(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Byte_Parse_mEFBC459D6ADA0FED490539CD8731E45AE2D2587C (String_t* ___s0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.Byte System.Byte::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Byte_Parse_mF53D7EFF3FC8B040EE675E62145287C7F728F772 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Int16 System.Convert::ToInt16(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m1F982FED72A4829E1DE1A64F162F13555FC1F7EC (double ___value0, const RuntimeMethod* method); // System.Int16 System.Convert::ToInt16(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3 (int32_t ___value0, const RuntimeMethod* method); // System.Int16 System.Decimal::ToInt16(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Decimal_ToInt16_mA2BB2FEA8CBAF4AB1AE4F3AD1F877B5A5DBA165C (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.Int16 System.Int16::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Int16_Parse_m8974BEBECCE6184E1A2CA312D637E40B731F49B2 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.UInt16 System.Convert::ToUInt16(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mC488D697C85EE1862D2D8FFFD30BC8E99AB73BE5 (double ___value0, const RuntimeMethod* method); // System.UInt16 System.Convert::ToUInt16(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7 (int32_t ___value0, const RuntimeMethod* method); // System.UInt16 System.Decimal::ToUInt16(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Decimal_ToUInt16_m549253A5DF0667C9938591FA692ACFE8D812C065 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.UInt16 System.UInt16::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t UInt16_Parse_mEA6E086539E279750BCC41E5C9638C2514924E8B (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Int32 System.Decimal::FCallToInt32(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Decimal_FCallToInt32_m4B063BBD3E2F9CDA39F8C09A6E81C05567FC0C1A (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d0, const RuntimeMethod* method); // System.Int32 System.Int32::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Int32_Parse_m17BA45CC13A0E08712F2EE60CC1356291D0592AC (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.UInt32 System.Convert::ToUInt32(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF (double ___value0, const RuntimeMethod* method); // System.UInt32 System.Decimal::ToUInt32(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Decimal_ToUInt32_mC664BD6ACBC5640F9CC3CCC40C7D1F39677D9E3A (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d0, const RuntimeMethod* method); // System.UInt32 System.UInt32::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t UInt32_Parse_mEEC266AE3E2BA9F49F4CD5E69EBDA3A1B008E125 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Int64 System.Convert::ToInt64(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m64CA1F639893BC431286C0AE8266AA46E38FB57D (double ___value0, const RuntimeMethod* method); // System.Int64 System.Decimal::ToInt64(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Decimal_ToInt64_mB2D5CC63EDC9C99171ADA933FD133905D7FCCA72 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d0, const RuntimeMethod* method); // System.Int64 System.Int64::Parse(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Int64_Parse_m58A1CEB948FDC6C2ECCA27CA9D19CB904BF98FD4 (String_t* ___s0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.Int64 System.Int64::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Int64_Parse_m5113C0CCFB668DBC49D71D9F07CC8A96B8C7773D (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.UInt64 System.Convert::ToUInt64(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mA246C8DD45C3EA0EFB21E3ED8B6EE6FAAE119232 (double ___value0, const RuntimeMethod* method); // System.UInt64 System.Decimal::ToUInt64(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Decimal_ToUInt64_mABC57AEE77C35B13F9FEE100D6DFF015A2CADBB5 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___d0, const RuntimeMethod* method); // System.UInt64 System.UInt64::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t UInt64_Parse_mBCA93243BACC50D7302706C914152213B8AB85A5 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Single System.Decimal::op_Explicit(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Decimal_op_Explicit_mC7ED730AE7C6D42F19F06246B242E8B60EDDAC62 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.Single System.Single::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Single_Parse_m6D591682F5EF2ED4D1CEADF65728E965A739AE74 (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Double System.Decimal::op_Explicit(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Decimal_op_Explicit_mB7F34E3B2DFB6211CA5ACB5497DA6CDCB09FC6CE (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method); // System.Double System.Double::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Double_Parse_m52FA2C773282C04605DA871AC7093A66FA8A746B (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m8519381573914335A82DE5D3D06FA85E89D89197 (int8_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m466EC50EE380238E9F804EE13EF1A2EF7B310DC6 (uint8_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m9A27DB673EFE87795196E83A6D91139A491252E6 (int16_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_mEF0CA15B0C83BC57C2206E366FBAE3FF552FEF28 (uint16_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m654C5710B68EAA7C5E606F28F084CE5FDA339415 (int32_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m2220445E5E4C0CC7715EEC07C0F7417097FD4141 (uint32_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_mFD66E10F50DE6B69A137279140DD74487572827D (int64_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Implicit(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Implicit_m2C34640E22DCDAB44B7135AE81E8D480C0CCF556 (uint64_t ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Explicit(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Explicit_m9AE85BFCE75391680A7D4EA28FF4D42959F37E39 (float ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::op_Explicit(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_op_Explicit_m2EB423334931E2E5B03C2A91D98E1EB8E28FCC0A (double ___value0, const RuntimeMethod* method); // System.Decimal System.Decimal::Parse(System.String,System.Globalization.NumberStyles,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Decimal_Parse_mFA9697AFBA5C224F2F6D08275B904E9DDBFE607A (String_t* ___s0, int32_t ___style1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, const RuntimeMethod* method); // System.DateTime System.DateTime::Parse(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Parse_mFB11F5C0061CEAD9A2F51E3814DEBE0475F2BA37 (String_t* ___s0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.String System.Char::ToString(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Char_ToString_mF758476EBA0494508C18E74ADF20D7732A872BDE (Il2CppChar* __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.String System.Int32::ToString(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Int32_ToString_m1D0AF82BDAB5D4710527DD3FEFA6F01246D128A5 (int32_t* __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Int32 System.ParseNumbers::StringToInt(System.String,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F (String_t* ___value0, int32_t ___fromBase1, int32_t ___flags2, const RuntimeMethod* method); // System.Int64 System.ParseNumbers::StringToLong(System.String,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t ParseNumbers_StringToLong_mC92F053C86CBA3D56C91D2FB62647928ABB21DB1 (String_t* ___value0, int32_t ___fromBase1, int32_t ___flags2, const RuntimeMethod* method); // System.String System.Convert::ToBase64String(System.Byte[],System.Int32,System.Int32,System.Base64FormattingOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, int32_t ___offset1, int32_t ___length2, int32_t ___options3, const RuntimeMethod* method); // System.Int32 System.Convert::ToBase64_CalculateAndValidateOutputLength(System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6 (int32_t ___inputLength0, bool ___insertLineBreaks1, const RuntimeMethod* method); // System.String System.String::FastAllocateString(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* String_FastAllocateString_m41FF9F02E99463841990C6971132D4D9E320914C (int32_t ___length0, const RuntimeMethod* method); // System.Int32 System.Runtime.CompilerServices.RuntimeHelpers::get_OffsetToStringData() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t RuntimeHelpers_get_OffsetToStringData_mF3B79A906181F1A2734590DA161E2AF183853F8B (const RuntimeMethod* method); // System.Int32 System.Convert::ConvertToBase64Array(System.Char*,System.Byte*,System.Int32,System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B (Il2CppChar* ___outChars0, uint8_t* ___inData1, int32_t ___offset2, int32_t ___length3, bool ___insertLineBreaks4, const RuntimeMethod* method); // System.Int32 System.Convert::ToBase64CharArray(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32,System.Base64FormattingOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, int32_t ___offsetIn1, int32_t ___length2, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___outArray3, int32_t ___offsetOut4, int32_t ___options5, const RuntimeMethod* method); // System.Void System.OutOfMemoryException::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void OutOfMemoryException__ctor_m4ED0B5B3F91BAF66BDF69E09EF6DC74777FE8DEB (OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7 * __this, const RuntimeMethod* method); // System.Byte[] System.Convert::FromBase64CharPtr(System.Char*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451 (Il2CppChar* ___inputPtr0, int32_t ___inputLength1, const RuntimeMethod* method); // System.Int32 System.Convert::FromBase64_ComputeResultLength(System.Char*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622 (Il2CppChar* ___inputPtr0, int32_t ___inputLength1, const RuntimeMethod* method); // System.Int32 System.Convert::FromBase64_Decode(System.Char*,System.Int32,System.Byte*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82 (Il2CppChar* ___startInputPtr0, int32_t ___inputLength1, uint8_t* ___startDestPtr2, int32_t ___destLength3, const RuntimeMethod* method); // System.Void System.Runtime.CompilerServices.RuntimeHelpers::InitializeArray(System.Array,System.RuntimeFieldHandle) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void RuntimeHelpers_InitializeArray_m29F50CDFEEE0AB868200291366253DD4737BC76A (RuntimeArray * ___array0, RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF ___fldHandle1, const RuntimeMethod* method); // System.Void System.StringComparer::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void StringComparer__ctor_mB32547253FAD35661634154EE51010A1BFA84142 (StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE * __this, const RuntimeMethod* method); // System.Int32 System.Globalization.CompareInfo::GetHashCodeOfString(System.String,System.Globalization.CompareOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t CompareInfo_GetHashCodeOfString_m91DE0691957416A2BBC9AADD8D4AE2A2885A5AB3 (CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * __this, String_t* ___source0, int32_t ___options1, const RuntimeMethod* method); // System.Void System.TimeZone::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void TimeZone__ctor_mBD56855E65E61A15C21F434032207DF5469CEF31 (TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454 * __this, const RuntimeMethod* method); // System.TimeZoneInfo System.TimeZoneInfo::get_Local() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * TimeZoneInfo_get_Local_mD208D43B3366D6E489CA49A7F21164373CEC24FD (const RuntimeMethod* method); // System.DateTimeKind System.DateTime::get_Kind() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.TimeSpan System.TimeZoneInfo::GetUtcOffset(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 TimeZoneInfo_GetUtcOffset_mB87444CE19A766D8190FCA7508AE192E66E9436D (TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, const RuntimeMethod* method); // System.Void System.UnitySerializationHolder::GetUnitySerializationInfo(System.Runtime.Serialization.SerializationInfo,System.Int32,System.String,System.Reflection.RuntimeAssembly) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void UnitySerializationHolder_GetUnitySerializationInfo_m86F654140996546DB4D6D8228BF9FE45E9BAEC3E (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, int32_t ___unityType1, String_t* ___data2, RuntimeAssembly_t5EE9CD749D82345AE5635B9665665C31A3308EB1 * ___assembly3, const RuntimeMethod* method); // System.Object System.Convert::DefaultToType(System.IConvertible,System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3 (RuntimeObject* ___value0, Type_t * ___targetType1, RuntimeObject* ___provider2, const RuntimeMethod* method); // System.Void System.DBNull::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DBNull__ctor_m9A9476BA790C3C326D5322BDB552DBBD2DAD5996 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, const RuntimeMethod* method); // System.Char System.DTSubString::get_Item(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar DTSubString_get_Item_mD569E347AE9009D19F72CF9A6AD2B202C9133F99 (DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D * __this, int32_t ___relativeIndex0, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.UInt64) IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR void DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, uint64_t ___dateData0, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int64,System.DateTimeKind) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, int32_t ___kind1, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int64,System.DateTimeKind,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, int32_t ___kind1, bool ___isAmbiguousDst2, const RuntimeMethod* method); // System.Int64 System.DateTime::DateToTicks(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64 (int32_t ___year0, int32_t ___month1, int32_t ___day2, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, const RuntimeMethod* method); // System.Int64 System.DateTime::TimeToTicks(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB (int32_t ___hour0, int32_t ___minute1, int32_t ___second2, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, int32_t ___millisecond6, const RuntimeMethod* method); // System.Runtime.Serialization.SerializationInfoEnumerator System.Runtime.Serialization.SerializationInfo::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * SerializationInfo_GetEnumerator_m9796C5CB43B69B5236D530A547A4FC24ABB0B575 (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, const RuntimeMethod* method); // System.String System.Runtime.Serialization.SerializationInfoEnumerator::get_Name() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* SerializationInfoEnumerator_get_Name_m925E3C668A70982F88C8EBEEB86BA0D45B71857E (SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * __this, const RuntimeMethod* method); // System.Object System.Runtime.Serialization.SerializationInfoEnumerator::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SerializationInfoEnumerator_get_Value_m90F91B3AFD43BA00E4A69FC0954761CFD9C55AE1 (SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * __this, const RuntimeMethod* method); // System.Globalization.CultureInfo System.Globalization.CultureInfo::get_InvariantCulture() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72 (const RuntimeMethod* method); // System.Int64 System.Convert::ToInt64(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m8964FDE5D82FEC54106DBF35E1F67D70F6E73E29 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.UInt64 System.Convert::ToUInt64(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mA8C3C5498FC28CBA0EB0C37409EB9E04CCF6B8D2 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.Boolean System.Runtime.Serialization.SerializationInfoEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SerializationInfoEnumerator_MoveNext_m74D8DE9528E7DDD141DD45ABF4B54F832DE35701 (SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * __this, const RuntimeMethod* method); // System.Int64 System.DateTime::get_InternalTicks() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Void System.DateTime::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method); // System.UInt64 System.DateTime::get_InternalKind() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.DateTime System.DateTime::AddTicks(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___value0, const RuntimeMethod* method); // System.DateTime System.DateTime::Add(System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mA4F1A47C77858AC06AF07CCE9BDFF32F442B27DB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___value0, const RuntimeMethod* method); // System.DateTime System.DateTime::Add(System.Double,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, int32_t ___scale1, const RuntimeMethod* method); // System.DateTime System.DateTime::AddDays(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddDays_mB11D2BB2D7DD6944D1071809574A951258F94D8E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method); // System.DateTime System.DateTime::AddMilliseconds(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMilliseconds_mD93AB4338708397D6030FF082EBB3FC8C3E195F2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method); // System.Int32 System.DateTime::GetDatePart(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___part0, const RuntimeMethod* method); // System.Int32 System.DateTime::DaysInMonth(System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90 (int32_t ___year0, int32_t ___month1, const RuntimeMethod* method); // System.DateTime System.DateTime::AddMonths(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___months0, const RuntimeMethod* method); // System.DateTime System.DateTime::AddSeconds(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddSeconds_m36DC8835432569A70AC5120359527350DD65D6B2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method); // System.DateTime System.DateTime::AddYears(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___value0, const RuntimeMethod* method); // System.Int32 System.DateTime::CompareTo(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject * ___value0, const RuntimeMethod* method); // System.Int32 System.DateTime::CompareTo(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_CompareTo_mB538B6524ED249F1A5ED43E00D61F7D9EB3DAD6E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method); // System.Boolean System.DateTime::IsLeapYear(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7 (int32_t ___year0, const RuntimeMethod* method); // System.Int64 System.TimeSpan::TimeToTicks(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t TimeSpan_TimeToTicks_m30D961C24084E95EA9FE0565B87FCFFE24DD3632 (int32_t ___hour0, int32_t ___minute1, int32_t ___second2, const RuntimeMethod* method); // System.Boolean System.DateTime::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject * ___value0, const RuntimeMethod* method); // System.Boolean System.DateTime::Equals(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_Equals_m5D0978D469FA7B13308608D7DA97E1AF6265AD42 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method); // System.TimeSpan System.TimeZoneInfo::GetLocalUtcOffset(System.DateTime,System.TimeZoneInfoOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, int32_t ___flags1, const RuntimeMethod* method); // System.Int64 System.TimeSpan::get_Ticks() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int64_t TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, const RuntimeMethod* method); // System.TimeSpan System.TimeZoneInfo::GetUtcOffsetFromUtc(System.DateTime,System.TimeZoneInfo,System.Boolean&,System.Boolean&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 TimeZoneInfo_GetUtcOffsetFromUtc_mAA79026F581A893DD65B95D5660E146520B471FA (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___time0, TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * ___zone1, bool* ___isDaylightSavings2, bool* ___isAmbiguousLocalDst3, const RuntimeMethod* method); // System.DateTime System.DateTime::FromBinaryRaw(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F (int64_t ___dateData0, const RuntimeMethod* method); // System.DateTime System.DateTime::FromFileTimeUtc(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733 (int64_t ___fileTime0, const RuntimeMethod* method); // System.DateTime System.DateTime::ToLocalTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m32BCB17476069A13A2EB0AFF3B20CCAF2070B171 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationInfo::AddValue(System.String,System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationInfo_AddValue_mCCC2918D05840247B2A72A834940BD36AD7F5DE4 (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, int64_t ___value1, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationInfo::AddValue(System.String,System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationInfo_AddValue_m9861690C28AB414534D1A7F599E050DBA7A99303 (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, uint64_t ___value1, const RuntimeMethod* method); // System.Void System.DateTime::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method); // System.Int64 System.DateTime::ToBinaryRaw() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int64_t DateTime_ToBinaryRaw_m337980211329E7231056A835F8EB1179A55E927E_inline (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.DateTime System.DateTime::get_Date() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_Date_m9466964BC55564ED7EEC022AB9E50D875707B774 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::get_Day() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Day_m3C888FF1DA5019583A4326FAB232F81D32B1478D (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.DayOfWeek System.DateTime::get_DayOfWeek() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_DayOfWeek_m556E45050ECDB336B3559BC395081B0C5CBE4891 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetHashCode_mCA2FDAC81B0779FA2E478E6C6D92D019CD4B50C0 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::get_Hour() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::get_Minute() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Minute_m688A6B7CF6D23E040CBCA15C8CFFBE5EE5C62A77 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::get_Month() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Month_m9E31D84567E6D221F0E686EC6894A7AD07A5E43C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.DateTime System.DateTime::get_UtcNow() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_UtcNow_m171F52F4B3A213E4BAD7B78DC8E794A269DE38A1 (const RuntimeMethod* method); // System.TimeSpan System.TimeZoneInfo::GetDateTimeNowUtcOffsetFromUtc(System.DateTime,System.Boolean&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 TimeZoneInfo_GetDateTimeNowUtcOffsetFromUtc_m57199B9E169E531B6653648D8520F42F4DC70B7A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___time0, bool* ___isAmbiguousLocalDst1, const RuntimeMethod* method); // System.Int64 System.DateTime::get_Ticks() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int64 System.DateTime::GetSystemTimeAsFileTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_GetSystemTimeAsFileTime_mE9A326A4F6301E7E932903FC5DA4D1A31060D2C7 (const RuntimeMethod* method); // System.Int32 System.DateTime::get_Second() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Second_m0EC5A6215E5FF43D49702279430EAD1B66302951 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Void System.TimeSpan::.ctor(System.Int64) IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR void TimeSpan__ctor_mEB013EB288370617E8D465D75BE383C4058DB5A5_inline (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, int64_t ___ticks0, const RuntimeMethod* method); // System.TimeSpan System.DateTime::get_TimeOfDay() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_get_TimeOfDay_mAC191C0FF7DF8D1370DFFC1C47DE8DC5FA048543 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int32 System.DateTime::get_Year() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Year_m019BED6042282D03E51CE82F590D2A9FE5EA859E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo::GetInstance(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD (RuntimeObject* ___provider0, const RuntimeMethod* method); // System.DateTime System.DateTimeParse::Parse(System.String,System.Globalization.DateTimeFormatInfo,System.Globalization.DateTimeStyles) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTimeParse_Parse_m452E56D26BB4E9A3450434A55F0C7046124BC62A (String_t* ___s0, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi1, int32_t ___styles2, const RuntimeMethod* method); // System.Void System.Globalization.DateTimeFormatInfo::ValidateStyles(System.Globalization.DateTimeStyles,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormatInfo_ValidateStyles_m681E339557B4727B92138AAEC70ACC69FF31CA17 (int32_t ___style0, String_t* ___parameterName1, const RuntimeMethod* method); // System.DateTime System.DateTimeParse::ParseExact(System.String,System.String,System.Globalization.DateTimeFormatInfo,System.Globalization.DateTimeStyles) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTimeParse_ParseExact_m53595CD96FF504A940A435D43F084A8BE08CBDCD (String_t* ___s0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, int32_t ___style3, const RuntimeMethod* method); // System.TimeSpan System.DateTime::Subtract(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_Subtract_m12814A53110B4E3887A84A911C5F9C1402D98842 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method); // System.DateTime System.DateTime::ToUniversalTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Int64 System.DateTime::ToFileTimeUtc() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.DateTime System.DateTime::ToLocalTime(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, bool ___throwOnOverflow0, const RuntimeMethod* method); // System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo::get_CurrentInfo() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * DateTimeFormatInfo_get_CurrentInfo_m74E97DE51E5F8F803557FCDF11F041F200AB9C3F (const RuntimeMethod* method); // System.String System.DateTimeFormat::Format(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method); // System.String System.DateTime::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.String System.DateTime::ToString(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.String System.DateTime::ToString(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, String_t* ___format0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.DateTime System.TimeZoneInfo::ConvertTimeToUtc(System.DateTime,System.TimeZoneInfoOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 TimeZoneInfo_ConvertTimeToUtc_m296EB8284D179E8F42849A9F02306B55CA009952 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, int32_t ___flags1, const RuntimeMethod* method); // System.Boolean System.DateTimeParse::TryParse(System.String,System.Globalization.DateTimeFormatInfo,System.Globalization.DateTimeStyles,System.DateTime&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTimeParse_TryParse_m5ED3A5E9A333E54F80D4B09D3C8E4A722FB332B1 (String_t* ___s0, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi1, int32_t ___styles2, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___result3, const RuntimeMethod* method); // System.Boolean System.DateTimeParse::TryParseExact(System.String,System.String,System.Globalization.DateTimeFormatInfo,System.Globalization.DateTimeStyles,System.DateTime&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTimeParse_TryParseExact_mD17BAB2FD59C1A20E92953696FA1E7E2FF54D38F (String_t* ___s0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, int32_t ___style3, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___result4, const RuntimeMethod* method); // System.TypeCode System.DateTime::GetTypeCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetTypeCode_m81C81123AC262794A28C3AA7F717D84A620290DB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method); // System.Boolean System.DateTime::System.IConvertible.ToBoolean(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Char System.DateTime::System.IConvertible.ToChar(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.SByte System.DateTime::System.IConvertible.ToSByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Byte System.DateTime::System.IConvertible.ToByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Int16 System.DateTime::System.IConvertible.ToInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.UInt16 System.DateTime::System.IConvertible.ToUInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Int32 System.DateTime::System.IConvertible.ToInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.UInt32 System.DateTime::System.IConvertible.ToUInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Int64 System.DateTime::System.IConvertible.ToInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.UInt64 System.DateTime::System.IConvertible.ToUInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Single System.DateTime::System.IConvertible.ToSingle(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Double System.DateTime::System.IConvertible.ToDouble(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Decimal System.DateTime::System.IConvertible.ToDecimal(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.DateTime System.DateTime::System.IConvertible.ToDateTime(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_System_IConvertible_ToDateTime_m2E02F7ED2921DB5A3D7AC8381A6B496F9EC0C7A3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method); // System.Object System.DateTime::System.IConvertible.ToType(System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, Type_t * ___type0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.Void System.DateTimeFormat::FormatDigits(System.Text.StringBuilder,System.Int32,System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatDigits_m42EA03EA97A7BF81D98A8DA1DC2449DF7A74F05A (StringBuilder_t * ___outputBuffer0, int32_t ___value1, int32_t ___len2, bool ___overrideLengthLimit3, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Char*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Append_m353B571BF530B0BD74B61E499EAF6536F1B93E84 (StringBuilder_t * __this, Il2CppChar* ___value0, int32_t ___valueCount1, const RuntimeMethod* method); // System.String System.Globalization.HebrewNumber::ToString(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* HebrewNumber_ToString_mCFDFB829050DAA0081F94AE7BA9176124852557F (int32_t ___Number0, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::Append(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260 (StringBuilder_t * __this, String_t* ___value0, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::GetAbbreviatedDayName(System.DayOfWeek) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_GetAbbreviatedDayName_m31D50EB7EF2ED3E7F0F72C14498427D8E7799D43 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___dayofweek0, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::GetDayName(System.DayOfWeek) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_GetDayName_m82CF60408D75B103DAFF96575B257EFFA80569AF (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___dayofweek0, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::GetAbbreviatedMonthName(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_GetAbbreviatedMonthName_m5C71C0AB3BCCD6AE4C17104BCB4D2F65759E9D06 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___month0, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::GetMonthName(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_GetMonthName_m442F6260E03F4C61CE83A7DE211B62EB88678DDC (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___month0, const RuntimeMethod* method); // System.Globalization.Calendar System.Globalization.DateTimeFormatInfo::get_Calendar() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::internalGetMonthName(System.Int32,System.Globalization.MonthNameStyles,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_internalGetMonthName_mE9361985B13F655CED883CDDF45DC962EE2F1F77 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___month0, int32_t ___style1, bool ___abbreviated2, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A (StringBuilder_t * __this, Il2CppChar ___value0, const RuntimeMethod* method); // System.String System.String::Format(System.IFormatProvider,System.String,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* String_Format_m30892041DA5F50D7B8CFD82FFC0F55B5B97A2B7F (RuntimeObject* ___provider0, String_t* ___format1, RuntimeObject * ___arg02, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilderCache::Acquire(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilderCache_Acquire_mCA3DDB17F0BFEF32DA9B4D7E8501D5705890557D (int32_t ___capacity0, const RuntimeMethod* method); // System.Int32 System.DateTimeFormat::ParseRepeatPattern(System.String,System.Int32,System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB (String_t* ___format0, int32_t ___pos1, Il2CppChar ___patternChar2, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::GetEraName(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_GetEraName_mA4F71726B4A0780F732E56EE4876DCDF7EA2EB38 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, int32_t ___era0, const RuntimeMethod* method); // System.Void System.DateTimeFormat::FormatDigits(System.Text.StringBuilder,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53 (StringBuilder_t * ___outputBuffer0, int32_t ___value1, int32_t ___len2, const RuntimeMethod* method); // System.Double System.Math::Pow(System.Double,System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Math_Pow_m9CD842663B1A2FA4C66EEFFC6F0D705B40BE46F1 (double ___x0, double ___y1, const RuntimeMethod* method); // System.String System.Int32::ToString(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Int32_ToString_mE527694B0C55AE14FDCBE1D9C848446C18E22C09 (int32_t* __this, String_t* ___format0, RuntimeObject* ___provider1, const RuntimeMethod* method); // System.Int32 System.Text.StringBuilder::get_Length() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t StringBuilder_get_Length_m44BCD2BF32D45E9376761FF33AA429BFBD902F07 (StringBuilder_t * __this, const RuntimeMethod* method); // System.Char System.Text.StringBuilder::get_Chars(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar StringBuilder_get_Chars_mC069533DCA4FB798DFA069469EBABA85DCC183C6 (StringBuilder_t * __this, int32_t ___index0, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::Remove(System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Remove_m5DA9C1C4D056FA61B8923BE85E6BFF44B14A24F9 (StringBuilder_t * __this, int32_t ___startIndex0, int32_t ___length1, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_AMDesignator() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_AMDesignator_m3F6101B15CF9711362B92B7827F29BC8589EEC13_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_PMDesignator() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_PMDesignator_m9B249FB528D588F5B6AEFA088CEF342DEDF8594D_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.Void System.DateTimeFormat::HebrewFormatDigits(System.Text.StringBuilder,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC (StringBuilder_t * ___outputBuffer0, int32_t ___digits1, const RuntimeMethod* method); // System.String System.DateTimeFormat::FormatDayOfWeek(System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatDayOfWeek_m3F0892B000EBE522857AD1EE8676FEBBED8A21F9 (int32_t ___dayOfWeek0, int32_t ___repeat1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method); // System.String System.DateTimeFormat::FormatHebrewMonthName(System.DateTime,System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatHebrewMonthName_m95BC9040E14EDDE6DF41A71A93F9D7D1878661E6 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___time0, int32_t ___month1, int32_t ___repeatCount2, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi3, const RuntimeMethod* method); // System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo::get_FormatFlags() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormatInfo_get_FormatFlags_m42B106A8C2AC470D425032034608045AABB71731 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.Boolean System.DateTimeFormat::IsUseGenitiveForm(System.String,System.Int32,System.Int32,System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTimeFormat_IsUseGenitiveForm_mC6899D681D480B53806BD3AF1ED729552991AA66 (String_t* ___format0, int32_t ___index1, int32_t ___tokenLen2, Il2CppChar ___patternToMatch3, const RuntimeMethod* method); // System.String System.DateTimeFormat::FormatMonth(System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatMonth_mA46FA8711C67F699CA3571582725FA8CB226757F (int32_t ___month0, int32_t ___repeatCount1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method); // System.Boolean System.Globalization.DateTimeFormatInfo::get_HasForceTwoDigitYears() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTimeFormatInfo_get_HasForceTwoDigitYears_m4CF064E8CAFE2C1DBCDAE8747137E94ACBA81A7B (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.String::Concat(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* String_Concat_mBB19C73816BDD1C3519F248E1ADC8E11A6FDB495 (RuntimeObject * ___arg00, RuntimeObject * ___arg11, const RuntimeMethod* method); // System.Void System.DateTimeFormat::FormatCustomizedTimeZone(System.DateTime,System.TimeSpan,System.String,System.Int32,System.Boolean,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatCustomizedTimeZone_m31043AD6F2795436AB56520F2689E3E0DDA5C685 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset1, String_t* ___format2, int32_t ___tokenLen3, bool ___timeOnly4, StringBuilder_t * ___result5, const RuntimeMethod* method); // System.Void System.DateTimeFormat::FormatCustomizedRoundripTimeZone(System.DateTime,System.TimeSpan,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatCustomizedRoundripTimeZone_mDCF0536EFD8B9E6DD2E794237D72D9C939099AC7 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset1, StringBuilder_t * ___result2, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_TimeSeparator() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_TimeSeparator_m9D230E9D88CE3E2EBA24365775D2B4B2D5621C58_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_DateSeparator() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_DateSeparator_m68C0C4E4320F22BAA7B6E6EFF7DD7349541D509C_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.Void System.Text.StringBuilder::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void StringBuilder__ctor_mF928376F82E8C8FF3C11842C562DB8CF28B2735E (StringBuilder_t * __this, const RuntimeMethod* method); // System.Int32 System.DateTimeFormat::ParseQuoteString(System.String,System.Int32,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60 (String_t* ___format0, int32_t ___pos1, StringBuilder_t * ___result2, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Append_mA1A063A1388A21C8EA011DBA7FC98C24C3EE3D65 (StringBuilder_t * __this, RuntimeObject * ___value0, const RuntimeMethod* method); // System.Int32 System.DateTimeFormat::ParseNextChar(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseNextChar_m7A2B93C769DB2E4AE88704BFB9D06216610F8F98 (String_t* ___format0, int32_t ___pos1, const RuntimeMethod* method); // System.String System.Char::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Char_ToString_mA42A88FEBA41B72D48BB24373E3101B7A91B6FD8 (Il2CppChar* __this, const RuntimeMethod* method); // System.String System.DateTimeFormat::FormatCustomized(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset3, const RuntimeMethod* method); // System.String System.Text.StringBuilderCache::GetStringAndRelease(System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* StringBuilderCache_GetStringAndRelease_mDD5B8378FE9378CACF8660EB460E0CE545F215F7 (StringBuilder_t * ___sb0, const RuntimeMethod* method); // System.Boolean System.TimeSpan::op_Equality(System.TimeSpan,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool TimeSpan_op_Equality_mEA0A4B7FDCAFA54C636292F7EB76F9A16C44096D (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t10, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t21, const RuntimeMethod* method); // System.DateTime System.DateTime::get_Now() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_Now_mB464D30F15C97069F92C1F910DCDDC3DFCC7F7D2 (const RuntimeMethod* method); // System.Void System.DateTimeFormat::InvalidFormatForUtc(System.String,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_InvalidFormatForUtc_m0E9CACD473EA60B086EAD03C09488869673E109D (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime1, const RuntimeMethod* method); // System.DateTime System.DateTime::SpecifyKind(System.DateTime,System.DateTimeKind) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_SpecifyKind_m2E9B2B28CB3255EA842EBCBA42AF0565144D2316 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, int32_t ___kind1, const RuntimeMethod* method); // System.Boolean System.TimeSpan::op_GreaterThanOrEqual(System.TimeSpan,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool TimeSpan_op_GreaterThanOrEqual_m7FE9830EF2AAD2BB65628A0FE7F7C70161BB4D9B (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t10, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t21, const RuntimeMethod* method); // System.TimeSpan System.TimeSpan::Negate() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 TimeSpan_Negate_m0DC5231DD5489EB3A8A7AE9AC30F83CBD3987C33 (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, const RuntimeMethod* method); // System.Int32 System.TimeSpan::get_Hours() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t TimeSpan_get_Hours_mE248B39F7E3E07DAD257713114E86A1A2C191A45 (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.IFormatProvider,System.String,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_AppendFormat_m0097821BD0E9086D37BEE314239983EBD980B636 (StringBuilder_t * __this, RuntimeObject* ___provider0, String_t* ___format1, RuntimeObject * ___arg02, const RuntimeMethod* method); // System.Int32 System.TimeSpan::get_Minutes() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t TimeSpan_get_Minutes_mCABF9EE7E7F78368DA0F825F5922C06238DD0F22 (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, const RuntimeMethod* method); // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.IFormatProvider,System.String,System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_AppendFormat_m6253057BEFDE3B0EDC63B8C725CD573486720D4C (StringBuilder_t * __this, RuntimeObject* ___provider0, String_t* ___format1, RuntimeObject * ___arg02, RuntimeObject * ___arg13, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_ShortDatePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_ShortDatePattern_m8CAB8ACB8B5C152FA767345BA59E8FE8C8B9A5FA (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_LongDatePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_LongDatePattern_mB46C198F0A2ED40F705A73B83BF17592B1899FAB (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_ShortTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_ShortTimePattern_m2E9988522765F996BFB93BF34EA7673A3A484417 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.String::Concat(System.String,System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* String_Concat_mF4626905368D6558695A823466A1AF65EADB9923 (String_t* ___str00, String_t* ___str11, String_t* ___str22, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_FullDateTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_FullDateTimePattern_mC8709BFB52E481105D6B4150293C2FBC0FEAA5B4 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_GeneralShortTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_GeneralShortTimePattern_m6528409AA7B4B138D136F9F5C6C2CA16981EBAB8 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_GeneralLongTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_GeneralLongTimePattern_m4803CD35334AA775089F6E48DF03817B6068E130 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_MonthDayPattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_MonthDayPattern_mDDF41CCC5BBC4BA915AFAA0F973FCD5B2515B0F3 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_RFC1123Pattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_RFC1123Pattern_m8216E79C7C862A9AE400D52FCF07EA0B0C9AD49E (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_SortableDateTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_SortableDateTimePattern_mF3A3FA3102096383E0E18C01F7F7A5F50375EF1B (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_LongTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_LongTimePattern_m5304AFC0442E7F208D4D39392E3CE8C0B56F5266 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_UniversalSortableDateTimePattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_UniversalSortableDateTimePattern_m2322E2915D3E6EB5A61DDCA1F6F9CC07C61D4141 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_YearMonthPattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_YearMonthPattern_m58DC71FC083C4CBF5C2856140BEE5EC705AA5034 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.Globalization.DateTimeFormatInfo System.Globalization.DateTimeFormatInfo::get_InvariantInfo() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC (const RuntimeMethod* method); // System.Boolean System.TimeSpan::op_Inequality(System.TimeSpan,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool TimeSpan_op_Inequality_mEAE207F8B9A9B42CC33F4DE882E69E98C09065FC (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t10, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t21, const RuntimeMethod* method); // System.DateTime System.DateTime::op_Subtraction(System.DateTime,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t1, const RuntimeMethod* method); // System.Void System.DateTimeFormat::InvalidFormatForLocal(System.String,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_InvalidFormatForLocal_m9049D2389DBF1FCAD1AF3E98F2B462E17104053B (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime1, const RuntimeMethod* method); // System.Object System.Globalization.DateTimeFormatInfo::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * DateTimeFormatInfo_Clone_m72D6280296E849FF0BD23A282C1B5ECC81EAF6BA (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.Boolean System.Type::op_Inequality(System.Type,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Type_op_Inequality_m615014191FB05FD50F63A24EB9A6CCA785E7CEC9 (Type_t * ___left0, Type_t * ___right1, const RuntimeMethod* method); // System.Globalization.Calendar System.Globalization.GregorianCalendar::GetDefaultInstance() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * GregorianCalendar_GetDefaultInstance_m36338D53A3A355D00060E57621CFDD610C83D87A (const RuntimeMethod* method); // System.Void System.Globalization.DateTimeFormatInfo::set_Calendar(System.Globalization.Calendar) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormatInfo_set_Calendar_m6388B63636828B8525557FA2976C965897E8BF3C (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * ___value0, const RuntimeMethod* method); // System.String System.DateTimeFormat::GetRealFormat(System.String,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0 (String_t* ___format0, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi1, const RuntimeMethod* method); // System.String System.DateTimeFormat::Format(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_Format_mA965A0AFBC1F2DA20C56B16652515CB08F515CFC (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset3, const RuntimeMethod* method); // System.String System.Globalization.DateTimeFormatInfo::get_DateTimeOffsetPattern() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_DateTimeOffsetPattern_mF5E6E8E53ED7C8B1262F04DCC2AC8E951FDF2060 (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method); // System.String System.DateTimeFormat::ExpandPredefinedFormat(System.String,System.DateTime&,System.Globalization.DateTimeFormatInfo&,System.TimeSpan&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___dateTime1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * ___offset3, const RuntimeMethod* method); #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Hashtable_HashtableEnumerator::.ctor(System.Collections.Hashtable,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashtableEnumerator__ctor_mA4893AEBBF14528B90AF67E83490AC2CE935A166 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___hashtable0, int32_t ___getObjRetType1, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = ___hashtable0; __this->set_hashtable_0(L_0); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_1 = ___hashtable0; NullCheck(L_1); bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* L_2 = L_1->get_buckets_10(); NullCheck(L_2); __this->set_bucket_1((((int32_t)((int32_t)(((RuntimeArray*)L_2)->max_length))))); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = ___hashtable0; NullCheck(L_3); int32_t L_4 = L_3->get_version_15(); il2cpp_codegen_memory_barrier(); __this->set_version_2(L_4); __this->set_current_3((bool)0); int32_t L_5 = ___getObjRetType1; __this->set_getObjectRetType_4(L_5); return; } } // System.Object System.Collections.Hashtable_HashtableEnumerator::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * HashtableEnumerator_Clone_m3BF3723B676C488836A3AFEF387027B930BED008 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = Object_MemberwiseClone_m1DAC4538CD68D4CF4DC5B04E4BBE86D470948B28(__this, /*hidden argument*/NULL); return L_0; } } // System.Object System.Collections.Hashtable_HashtableEnumerator::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * HashtableEnumerator_get_Key_m09B7F9811379917D1101DFF85FA577133A62AD6A (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_get_Key_m09B7F9811379917D1101DFF85FA577133A62AD6A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = __this->get_current_3(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral700336D6AF60425DC8D362092DE4C0FFB8576432, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, HashtableEnumerator_get_Key_m09B7F9811379917D1101DFF85FA577133A62AD6A_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = __this->get_currentKey_5(); return L_3; } } // System.Boolean System.Collections.Hashtable_HashtableEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashtableEnumerator_MoveNext_m9517CB795206780030F5231EB58BC2A0B04D3B65 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_MoveNext_m9517CB795206780030F5231EB58BC2A0B04D3B65_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject * V_0 = NULL; { int32_t L_0 = __this->get_version_2(); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_1 = __this->get_hashtable_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_15(); il2cpp_codegen_memory_barrier(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0091; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, HashtableEnumerator_MoveNext_m9517CB795206780030F5231EB58BC2A0B04D3B65_RuntimeMethod_var); } IL_0025: { int32_t L_5 = __this->get_bucket_1(); __this->set_bucket_1(((int32_t)il2cpp_codegen_subtract((int32_t)L_5, (int32_t)1))); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_6 = __this->get_hashtable_0(); NullCheck(L_6); bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* L_7 = L_6->get_buckets_10(); int32_t L_8 = __this->get_bucket_1(); NullCheck(L_7); RuntimeObject * L_9 = ((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_8)))->get_key_0(); V_0 = L_9; RuntimeObject * L_10 = V_0; if (!L_10) { goto IL_0091; } } { RuntimeObject * L_11 = V_0; Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_12 = __this->get_hashtable_0(); NullCheck(L_12); bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* L_13 = L_12->get_buckets_10(); if ((((RuntimeObject*)(RuntimeObject *)L_11) == ((RuntimeObject*)(bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A*)L_13))) { goto IL_0091; } } { RuntimeObject * L_14 = V_0; __this->set_currentKey_5(L_14); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_15 = __this->get_hashtable_0(); NullCheck(L_15); bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* L_16 = L_15->get_buckets_10(); int32_t L_17 = __this->get_bucket_1(); NullCheck(L_16); RuntimeObject * L_18 = ((L_16)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_17)))->get_val_1(); __this->set_currentValue_6(L_18); __this->set_current_3((bool)1); return (bool)1; } IL_0091: { int32_t L_19 = __this->get_bucket_1(); if ((((int32_t)L_19) > ((int32_t)0))) { goto IL_0025; } } { __this->set_current_3((bool)0); return (bool)0; } } // System.Collections.DictionaryEntry System.Collections.Hashtable_HashtableEnumerator::get_Entry() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 HashtableEnumerator_get_Entry_m09E4C8736E1303C56569896F34943C95F4D62222 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_get_Entry_m09E4C8736E1303C56569896F34943C95F4D62222_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = __this->get_current_3(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, HashtableEnumerator_get_Entry_m09E4C8736E1303C56569896F34943C95F4D62222_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = __this->get_currentKey_5(); RuntimeObject * L_4 = __this->get_currentValue_6(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_5; memset((&L_5), 0, sizeof(L_5)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_5), L_3, L_4, /*hidden argument*/NULL); return L_5; } } // System.Object System.Collections.Hashtable_HashtableEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * HashtableEnumerator_get_Current_m3C665E408D870A47554A7552A087CB881C969618 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_get_Current_m3C665E408D870A47554A7552A087CB881C969618_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = __this->get_current_3(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, HashtableEnumerator_get_Current_m3C665E408D870A47554A7552A087CB881C969618_RuntimeMethod_var); } IL_0018: { int32_t L_3 = __this->get_getObjectRetType_4(); if ((!(((uint32_t)L_3) == ((uint32_t)1)))) { goto IL_0028; } } { RuntimeObject * L_4 = __this->get_currentKey_5(); return L_4; } IL_0028: { int32_t L_5 = __this->get_getObjectRetType_4(); if ((!(((uint32_t)L_5) == ((uint32_t)2)))) { goto IL_0038; } } { RuntimeObject * L_6 = __this->get_currentValue_6(); return L_6; } IL_0038: { RuntimeObject * L_7 = __this->get_currentKey_5(); RuntimeObject * L_8 = __this->get_currentValue_6(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_9; memset((&L_9), 0, sizeof(L_9)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_9), L_7, L_8, /*hidden argument*/NULL); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_10 = L_9; RuntimeObject * L_11 = Box(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var, &L_10); return L_11; } } // System.Object System.Collections.Hashtable_HashtableEnumerator::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * HashtableEnumerator_get_Value_mEB78D8A682883CABCBAFD20B340BD827CB71561E (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_get_Value_mEB78D8A682883CABCBAFD20B340BD827CB71561E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = __this->get_current_3(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, HashtableEnumerator_get_Value_mEB78D8A682883CABCBAFD20B340BD827CB71561E_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = __this->get_currentValue_6(); return L_3; } } // System.Void System.Collections.Hashtable_HashtableEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashtableEnumerator_Reset_m1B23469BFCF718FF78AA504A91E93AB733AE4C55 (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashtableEnumerator_Reset_m1B23469BFCF718FF78AA504A91E93AB733AE4C55_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_2(); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_1 = __this->get_hashtable_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_15(); il2cpp_codegen_memory_barrier(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0025; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, HashtableEnumerator_Reset_m1B23469BFCF718FF78AA504A91E93AB733AE4C55_RuntimeMethod_var); } IL_0025: { __this->set_current_3((bool)0); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_5 = __this->get_hashtable_0(); NullCheck(L_5); bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A* L_6 = L_5->get_buckets_10(); NullCheck(L_6); __this->set_bucket_1((((int32_t)((int32_t)(((RuntimeArray*)L_6)->max_length))))); __this->set_currentKey_5(NULL); __this->set_currentValue_6(NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Hashtable_KeyCollection::.ctor(System.Collections.Hashtable) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyCollection__ctor_m58E48C20C50744A6E711BA0504B8520945C5DD4B (KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 * __this, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___hashtable0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = ___hashtable0; __this->set__hashtable_0(L_0); return; } } // System.Void System.Collections.Hashtable_KeyCollection::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79 (KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___arrayIndex1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___arrayIndex1; Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_12 = __this->get__hashtable_0(); NullCheck(L_12); int32_t L_13 = L_12->get_count_11(); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_13))) { goto IL_0065; } } { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_15 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, KeyCollection_CopyTo_mAC93A19478D6F9168EF9ADFBE68C5E45C453BC79_RuntimeMethod_var); } IL_0065: { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_16 = __this->get__hashtable_0(); RuntimeArray * L_17 = ___array0; int32_t L_18 = ___arrayIndex1; NullCheck(L_16); Hashtable_CopyKeys_m84AE68F9F9B7C73AE749F45EDAE2413398D0F2BF(L_16, L_17, L_18, /*hidden argument*/NULL); return; } } // System.Collections.IEnumerator System.Collections.Hashtable_KeyCollection::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* KeyCollection_GetEnumerator_mDDD12D3A054E820FB09D8F856F3630766EC5A79B (KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyCollection_GetEnumerator_mDDD12D3A054E820FB09D8F856F3630766EC5A79B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * L_1 = (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 *)il2cpp_codegen_object_new(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9_il2cpp_TypeInfo_var); HashtableEnumerator__ctor_mA4893AEBBF14528B90AF67E83490AC2CE935A166(L_1, L_0, 1, /*hidden argument*/NULL); return L_1; } } // System.Object System.Collections.Hashtable_KeyCollection::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyCollection_get_SyncRoot_mD8E3C1BAD19C5AB1FD13E8411D65B6F0FBFBDCB6 (KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); return L_1; } } // System.Int32 System.Collections.Hashtable_KeyCollection::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyCollection_get_Count_mDEA3CE26546610822E3225D7CE19111868F8F32E (KeyCollection_tD91D15A31EC3120D546EE76142B497C52F7C78D2 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); NullCheck(L_0); int32_t L_1 = L_0->get_count_11(); return L_1; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Hashtable_SyncHashtable::.ctor(System.Collections.Hashtable) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable__ctor_m2CA4BAD2FE04F356B41CB54032144A6F577D960F (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___table0, const RuntimeMethod* method) { { Hashtable__ctor_m25CFEE0C3607B2CF35DCCC61FD924708F082BF90(__this, (bool)0, /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = ___table0; __this->set__table_21(L_0); return; } } // System.Void System.Collections.Hashtable_SyncHashtable::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable__ctor_m818995791B476F454D5EF898AF16DE75CC0C2EB1 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncHashtable__ctor_m818995791B476F454D5EF898AF16DE75CC0C2EB1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 L_1 = ___context1; Hashtable__ctor_m7CD7D10246451D96AD05E8A593AA1E74412FA453(__this, L_0, L_1, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_2 = ___info0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_3, /*hidden argument*/NULL); NullCheck(L_2); RuntimeObject * L_5 = SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF(L_2, _stringLiteralD3BB63BF7137B1804A34F9470FC40500AA311F09, L_4, /*hidden argument*/NULL); __this->set__table_21(((Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 *)CastclassClass((RuntimeObject*)L_5, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_il2cpp_TypeInfo_var))); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_6 = __this->get__table_21(); if (L_6) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8944FFAD1E8C07AABD7BA714D715171EAAD5687C, /*hidden argument*/NULL); SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * L_8 = (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 *)il2cpp_codegen_object_new(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var); SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1(L_8, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, SyncHashtable__ctor_m818995791B476F454D5EF898AF16DE75CC0C2EB1_RuntimeMethod_var); } IL_0040: { return; } } // System.Void System.Collections.Hashtable_SyncHashtable::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_GetObjectData_m893D45F4B0C1EE87E4A89A8EF33ED30978A29C38 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncHashtable_GetObjectData_m893D45F4B0C1EE87E4A89A8EF33ED30978A29C38_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, SyncHashtable_GetObjectData_m893D45F4B0C1EE87E4A89A8EF33ED30978A29C38_RuntimeMethod_var); } IL_000e: { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_2 = __this->get__table_21(); NullCheck(L_2); RuntimeObject * L_3 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_2); V_0 = L_3; V_1 = (bool)0; } IL_001c: try { // begin try (depth: 1) RuntimeObject * L_4 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_4, (bool*)(&V_1), /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_5 = ___info0; Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_6 = __this->get__table_21(); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_7 = { reinterpret_cast<intptr_t> (Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_8 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_7, /*hidden argument*/NULL); NullCheck(L_5); SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC(L_5, _stringLiteralD3BB63BF7137B1804A34F9470FC40500AA311F09, L_6, L_8, /*hidden argument*/NULL); IL2CPP_LEAVE(0x4B, FINALLY_0041); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0041; } FINALLY_0041: { // begin finally (depth: 1) { bool L_9 = V_1; if (!L_9) { goto IL_004a; } } IL_0044: { RuntimeObject * L_10 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_10, /*hidden argument*/NULL); } IL_004a: { IL2CPP_END_FINALLY(65) } } // end finally (depth: 1) IL2CPP_CLEANUP(65) { IL2CPP_JUMP_TBL(0x4B, IL_004b) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_004b: { return; } } // System.Int32 System.Collections.Hashtable_SyncHashtable::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SyncHashtable_get_Count_m0A64365E31BB57BA25E85DCFCACB2798BC109B8C (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(36 /* System.Int32 System.Collections.Hashtable::get_Count() */, L_0); return L_1; } } // System.Boolean System.Collections.Hashtable_SyncHashtable::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncHashtable_get_IsReadOnly_m2E23A7CAD87F107704312BCFAD98BAD44E200637 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); bool L_1 = VirtFuncInvoker0< bool >::Invoke(30 /* System.Boolean System.Collections.Hashtable::get_IsReadOnly() */, L_0); return L_1; } } // System.Object System.Collections.Hashtable_SyncHashtable::get_Item(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncHashtable_get_Item_m54489F4AB8D10BEDDC41F851DAE27F95A2781146 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); RuntimeObject * L_1 = ___key0; NullCheck(L_0); RuntimeObject * L_2 = VirtFuncInvoker1< RuntimeObject *, RuntimeObject * >::Invoke(26 /* System.Object System.Collections.Hashtable::get_Item(System.Object) */, L_0, L_1); return L_2; } } // System.Void System.Collections.Hashtable_SyncHashtable::set_Item(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_set_Item_m90C21E6C2BC7687F3F83818E62754FF171EE1049 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); RuntimeObject * L_4 = ___key0; RuntimeObject * L_5 = ___value1; NullCheck(L_3); VirtActionInvoker2< RuntimeObject *, RuntimeObject * >::Invoke(27 /* System.Void System.Collections.Hashtable::set_Item(System.Object,System.Object) */, L_3, L_4, L_5); IL2CPP_LEAVE(0x2F, FINALLY_0025); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0025; } FINALLY_0025: { // begin finally (depth: 1) { bool L_6 = V_1; if (!L_6) { goto IL_002e; } } IL_0028: { RuntimeObject * L_7 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_7, /*hidden argument*/NULL); } IL_002e: { IL2CPP_END_FINALLY(37) } } // end finally (depth: 1) IL2CPP_CLEANUP(37) { IL2CPP_JUMP_TBL(0x2F, IL_002f) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002f: { return; } } // System.Object System.Collections.Hashtable_SyncHashtable::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncHashtable_get_SyncRoot_m9DA0217F2FC0343D3248F98FC16A2DF1D591A947 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); return L_1; } } // System.Void System.Collections.Hashtable_SyncHashtable::Add(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_Add_m6C7A3C2E4ED8ACF75929EAE5A4AFC0D91C5F2449 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); RuntimeObject * L_4 = ___key0; RuntimeObject * L_5 = ___value1; NullCheck(L_3); VirtActionInvoker2< RuntimeObject *, RuntimeObject * >::Invoke(20 /* System.Void System.Collections.Hashtable::Add(System.Object,System.Object) */, L_3, L_4, L_5); IL2CPP_LEAVE(0x2F, FINALLY_0025); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0025; } FINALLY_0025: { // begin finally (depth: 1) { bool L_6 = V_1; if (!L_6) { goto IL_002e; } } IL_0028: { RuntimeObject * L_7 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_7, /*hidden argument*/NULL); } IL_002e: { IL2CPP_END_FINALLY(37) } } // end finally (depth: 1) IL2CPP_CLEANUP(37) { IL2CPP_JUMP_TBL(0x2F, IL_002f) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002f: { return; } } // System.Void System.Collections.Hashtable_SyncHashtable::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_Clear_m8B7D63769105B9B4EC4E166D5E32742B80B48323 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); NullCheck(L_3); VirtActionInvoker0::Invoke(21 /* System.Void System.Collections.Hashtable::Clear() */, L_3); IL2CPP_LEAVE(0x2D, FINALLY_0023); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0023; } FINALLY_0023: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_002c; } } IL_0026: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_002c: { IL2CPP_END_FINALLY(35) } } // end finally (depth: 1) IL2CPP_CLEANUP(35) { IL2CPP_JUMP_TBL(0x2D, IL_002d) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002d: { return; } } // System.Boolean System.Collections.Hashtable_SyncHashtable::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncHashtable_Contains_m9ED7A575E1BB3E958935D0F9D7EBF0FAB3E1A9A3 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); RuntimeObject * L_1 = ___key0; NullCheck(L_0); bool L_2 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(23 /* System.Boolean System.Collections.Hashtable::Contains(System.Object) */, L_0, L_1); return L_2; } } // System.Boolean System.Collections.Hashtable_SyncHashtable::ContainsKey(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncHashtable_ContainsKey_m2535E9B4F57EA6CF6D26945A835838B4AD24EEDD (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncHashtable_ContainsKey_m2535E9B4F57EA6CF6D26945A835838B4AD24EEDD_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SyncHashtable_ContainsKey_m2535E9B4F57EA6CF6D26945A835838B4AD24EEDD_RuntimeMethod_var); } IL_0018: { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); RuntimeObject * L_4 = ___key0; NullCheck(L_3); bool L_5 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(24 /* System.Boolean System.Collections.Hashtable::ContainsKey(System.Object) */, L_3, L_4); return L_5; } } // System.Void System.Collections.Hashtable_SyncHashtable::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_CopyTo_m28669ED5B49B3861D49C60F38828FD548A67A35F (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); RuntimeArray * L_4 = ___array0; int32_t L_5 = ___arrayIndex1; NullCheck(L_3); VirtActionInvoker2< RuntimeArray *, int32_t >::Invoke(25 /* System.Void System.Collections.Hashtable::CopyTo(System.Array,System.Int32) */, L_3, L_4, L_5); IL2CPP_LEAVE(0x2F, FINALLY_0025); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0025; } FINALLY_0025: { // begin finally (depth: 1) { bool L_6 = V_1; if (!L_6) { goto IL_002e; } } IL_0028: { RuntimeObject * L_7 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_7, /*hidden argument*/NULL); } IL_002e: { IL2CPP_END_FINALLY(37) } } // end finally (depth: 1) IL2CPP_CLEANUP(37) { IL2CPP_JUMP_TBL(0x2F, IL_002f) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002f: { return; } } // System.Object System.Collections.Hashtable_SyncHashtable::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncHashtable_Clone_m13B484BC6DD78F6EBD4E2C23F242B660CD5C3EFD (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncHashtable_Clone_m13B484BC6DD78F6EBD4E2C23F242B660CD5C3EFD_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); NullCheck(L_3); RuntimeObject * L_4 = VirtFuncInvoker0< RuntimeObject * >::Invoke(22 /* System.Object System.Collections.Hashtable::Clone() */, L_3); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_5 = Hashtable_Synchronized_mC8C9F5D223078C699FD738B48A4A760549C2221E(((Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 *)CastclassClass((RuntimeObject*)L_4, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); V_2 = L_5; IL2CPP_LEAVE(0x38, FINALLY_002e); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_002e; } FINALLY_002e: { // begin finally (depth: 1) { bool L_6 = V_1; if (!L_6) { goto IL_0037; } } IL_0031: { RuntimeObject * L_7 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_7, /*hidden argument*/NULL); } IL_0037: { IL2CPP_END_FINALLY(46) } } // end finally (depth: 1) IL2CPP_CLEANUP(46) { IL2CPP_JUMP_TBL(0x38, IL_0038) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0038: { RuntimeObject * L_8 = V_2; return L_8; } } // System.Collections.IEnumerator System.Collections.Hashtable_SyncHashtable::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncHashtable_System_Collections_IEnumerable_GetEnumerator_mE59B5C3ADDD7779049A3A3E4B521F2EE7B6BC689 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject* L_1 = VirtFuncInvoker0< RuntimeObject* >::Invoke(28 /* System.Collections.IDictionaryEnumerator System.Collections.Hashtable::GetEnumerator() */, L_0); return L_1; } } // System.Collections.IDictionaryEnumerator System.Collections.Hashtable_SyncHashtable::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncHashtable_GetEnumerator_m451D044319810C846AD849FF56B8DFBD6DFA2F03 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject* L_1 = VirtFuncInvoker0< RuntimeObject* >::Invoke(28 /* System.Collections.IDictionaryEnumerator System.Collections.Hashtable::GetEnumerator() */, L_0); return L_1; } } // System.Collections.ICollection System.Collections.Hashtable_SyncHashtable::get_Keys() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncHashtable_get_Keys_mA1C7C8E98637CDDE9CABB4A33A8EB9C1FD00CD3C (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject* V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); NullCheck(L_3); RuntimeObject* L_4 = VirtFuncInvoker0< RuntimeObject* >::Invoke(32 /* System.Collections.ICollection System.Collections.Hashtable::get_Keys() */, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2E, FINALLY_0024); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0024; } FINALLY_0024: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_002d; } } IL_0027: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_002d: { IL2CPP_END_FINALLY(36) } } // end finally (depth: 1) IL2CPP_CLEANUP(36) { IL2CPP_JUMP_TBL(0x2E, IL_002e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002e: { RuntimeObject* L_7 = V_2; return L_7; } } // System.Collections.ICollection System.Collections.Hashtable_SyncHashtable::get_Values() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncHashtable_get_Values_mF1C5055354C48EEDD89B09A869D8BC8F7F12926C (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject* V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); NullCheck(L_3); RuntimeObject* L_4 = VirtFuncInvoker0< RuntimeObject* >::Invoke(33 /* System.Collections.ICollection System.Collections.Hashtable::get_Values() */, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2E, FINALLY_0024); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0024; } FINALLY_0024: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_002d; } } IL_0027: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_002d: { IL2CPP_END_FINALLY(36) } } // end finally (depth: 1) IL2CPP_CLEANUP(36) { IL2CPP_JUMP_TBL(0x2E, IL_002e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002e: { RuntimeObject* L_7 = V_2; return L_7; } } // System.Void System.Collections.Hashtable_SyncHashtable::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_Remove_m2FBC075A17BE46924E42E6925F7FE1C63EDE0031 (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__table_21(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); V_0 = L_1; V_1 = (bool)0; } IL_000e: try { // begin try (depth: 1) RuntimeObject * L_2 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_2, (bool*)(&V_1), /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_3 = __this->get__table_21(); RuntimeObject * L_4 = ___key0; NullCheck(L_3); VirtActionInvoker1< RuntimeObject * >::Invoke(34 /* System.Void System.Collections.Hashtable::Remove(System.Object) */, L_3, L_4); IL2CPP_LEAVE(0x2E, FINALLY_0024); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0024; } FINALLY_0024: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_002d; } } IL_0027: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_002d: { IL2CPP_END_FINALLY(36) } } // end finally (depth: 1) IL2CPP_CLEANUP(36) { IL2CPP_JUMP_TBL(0x2E, IL_002e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002e: { return; } } // System.Void System.Collections.Hashtable_SyncHashtable::OnDeserialization(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncHashtable_OnDeserialization_m24DAB8F8FD4001FE42A93742F387D35AB402645C (SyncHashtable_t893981DF84FB7968069810B79ACD01415FE78EF3 * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { { return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Hashtable_ValueCollection::.ctor(System.Collections.Hashtable) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueCollection__ctor_m2DE960A2506F5283C2B806A0B1B9085F823F44E1 (ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 * __this, Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___hashtable0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = ___hashtable0; __this->set__hashtable_0(L_0); return; } } // System.Void System.Collections.Hashtable_ValueCollection::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F (ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___arrayIndex1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___arrayIndex1; Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_12 = __this->get__hashtable_0(); NullCheck(L_12); int32_t L_13 = L_12->get_count_11(); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_13))) { goto IL_0065; } } { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_15 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, ValueCollection_CopyTo_m871AE83F3C69972A86E04B2CFEE1B7054D12BD2F_RuntimeMethod_var); } IL_0065: { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_16 = __this->get__hashtable_0(); RuntimeArray * L_17 = ___array0; int32_t L_18 = ___arrayIndex1; NullCheck(L_16); Hashtable_CopyValues_m3FD762F0A826EFE7C7CBBC5EEC14C47B1CEF5219(L_16, L_17, L_18, /*hidden argument*/NULL); return; } } // System.Collections.IEnumerator System.Collections.Hashtable_ValueCollection::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ValueCollection_GetEnumerator_m2FE21FA38B2969847E17733337A097A1374BF42C (ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueCollection_GetEnumerator_m2FE21FA38B2969847E17733337A097A1374BF42C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 * L_1 = (HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9 *)il2cpp_codegen_object_new(HashtableEnumerator_tE5C908D6870E805494E774BF3CEF4919425455E9_il2cpp_TypeInfo_var); HashtableEnumerator__ctor_mA4893AEBBF14528B90AF67E83490AC2CE935A166(L_1, L_0, 2, /*hidden argument*/NULL); return L_1; } } // System.Object System.Collections.Hashtable_ValueCollection::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ValueCollection_get_SyncRoot_mC17AE0E2C425F6DABE82DBAC7AF2FC4D07A20CD0 (ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(35 /* System.Object System.Collections.Hashtable::get_SyncRoot() */, L_0); return L_1; } } // System.Int32 System.Collections.Hashtable_ValueCollection::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ValueCollection_get_Count_m54FDCD01AD027CF62E45D03AD914CA75E0954E8F (ValueCollection_tB345B5DC94E72D8A66D69930DB4466A86CA93BF6 * __this, const RuntimeMethod* method) { { Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * L_0 = __this->get__hashtable_0(); NullCheck(L_0); int32_t L_1 = L_0->get_count_11(); return L_1; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // Conversion methods for marshalling of: System.Collections.Hashtable/bucket IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_pinvoke(const bucket_t1C848488DF65838689F7773D46F9E7E8C881B083& unmarshaled, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_pinvoke& marshaled) { if (unmarshaled.get_key_0() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_key_0())) { marshaled.___key_0 = il2cpp_codegen_com_query_interface<Il2CppIUnknown>(static_cast<Il2CppComObject*>(unmarshaled.get_key_0())); (marshaled.___key_0)->AddRef(); } else { marshaled.___key_0 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_key_0()); } } else { marshaled.___key_0 = NULL; } if (unmarshaled.get_val_1() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_val_1())) { marshaled.___val_1 = il2cpp_codegen_com_query_interface<Il2CppIUnknown>(static_cast<Il2CppComObject*>(unmarshaled.get_val_1())); (marshaled.___val_1)->AddRef(); } else { marshaled.___val_1 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_val_1()); } } else { marshaled.___val_1 = NULL; } marshaled.___hash_coll_2 = unmarshaled.get_hash_coll_2(); } IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_pinvoke_back(const bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_pinvoke& marshaled, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083& unmarshaled) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_pinvoke_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodInitialized = true; } if (marshaled.___key_0 != NULL) { unmarshaled.set_key_0(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___key_0, Il2CppComObject_il2cpp_TypeInfo_var)); if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_key_0())) { il2cpp_codegen_com_cache_queried_interface(static_cast<Il2CppComObject*>(unmarshaled.get_key_0()), Il2CppIUnknown::IID, marshaled.___key_0); } } else { unmarshaled.set_key_0(NULL); } if (marshaled.___val_1 != NULL) { unmarshaled.set_val_1(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___val_1, Il2CppComObject_il2cpp_TypeInfo_var)); if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_val_1())) { il2cpp_codegen_com_cache_queried_interface(static_cast<Il2CppComObject*>(unmarshaled.get_val_1()), Il2CppIUnknown::IID, marshaled.___val_1); } } else { unmarshaled.set_val_1(NULL); } int32_t unmarshaled_hash_coll_temp_2 = 0; unmarshaled_hash_coll_temp_2 = marshaled.___hash_coll_2; unmarshaled.set_hash_coll_2(unmarshaled_hash_coll_temp_2); } // Conversion method for clean up from marshalling of: System.Collections.Hashtable/bucket IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_pinvoke_cleanup(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_pinvoke& marshaled) { if (marshaled.___key_0 != NULL) { (marshaled.___key_0)->Release(); marshaled.___key_0 = NULL; } if (marshaled.___val_1 != NULL) { (marshaled.___val_1)->Release(); marshaled.___val_1 = NULL; } } // Conversion methods for marshalling of: System.Collections.Hashtable/bucket IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_com(const bucket_t1C848488DF65838689F7773D46F9E7E8C881B083& unmarshaled, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_com& marshaled) { if (unmarshaled.get_key_0() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_key_0())) { marshaled.___key_0 = il2cpp_codegen_com_query_interface<Il2CppIUnknown>(static_cast<Il2CppComObject*>(unmarshaled.get_key_0())); (marshaled.___key_0)->AddRef(); } else { marshaled.___key_0 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_key_0()); } } else { marshaled.___key_0 = NULL; } if (unmarshaled.get_val_1() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_val_1())) { marshaled.___val_1 = il2cpp_codegen_com_query_interface<Il2CppIUnknown>(static_cast<Il2CppComObject*>(unmarshaled.get_val_1())); (marshaled.___val_1)->AddRef(); } else { marshaled.___val_1 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_val_1()); } } else { marshaled.___val_1 = NULL; } marshaled.___hash_coll_2 = unmarshaled.get_hash_coll_2(); } IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_com_back(const bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_com& marshaled, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083& unmarshaled) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_com_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodInitialized = true; } if (marshaled.___key_0 != NULL) { unmarshaled.set_key_0(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___key_0, Il2CppComObject_il2cpp_TypeInfo_var)); if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_key_0())) { il2cpp_codegen_com_cache_queried_interface(static_cast<Il2CppComObject*>(unmarshaled.get_key_0()), Il2CppIUnknown::IID, marshaled.___key_0); } } else { unmarshaled.set_key_0(NULL); } if (marshaled.___val_1 != NULL) { unmarshaled.set_val_1(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___val_1, Il2CppComObject_il2cpp_TypeInfo_var)); if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_val_1())) { il2cpp_codegen_com_cache_queried_interface(static_cast<Il2CppComObject*>(unmarshaled.get_val_1()), Il2CppIUnknown::IID, marshaled.___val_1); } } else { unmarshaled.set_val_1(NULL); } int32_t unmarshaled_hash_coll_temp_2 = 0; unmarshaled_hash_coll_temp_2 = marshaled.___hash_coll_2; unmarshaled.set_hash_coll_2(unmarshaled_hash_coll_temp_2); } // Conversion method for clean up from marshalling of: System.Collections.Hashtable/bucket IL2CPP_EXTERN_C void bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshal_com_cleanup(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_com& marshaled) { if (marshaled.___key_0 != NULL) { (marshaled.___key_0)->Release(); marshaled.___key_0 = NULL; } if (marshaled.___val_1 != NULL) { (marshaled.___val_1)->Release(); marshaled.___val_1 = NULL; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.ListDictionaryInternal::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal__ctor_m2C17E3B516DE566A8FEF18177FEADAEA975FC5E6 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); return; } } // System.Object System.Collections.ListDictionaryInternal::get_Item(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ListDictionaryInternal_get_Item_m5C20AE4CCC3DA73F7FEDE3CC3557CFCD79448DB6 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_get_Item_m5C20AE4CCC3DA73F7FEDE3CC3557CFCD79448DB6_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, ListDictionaryInternal_get_Item_m5C20AE4CCC3DA73F7FEDE3CC3557CFCD79448DB6_RuntimeMethod_var); } IL_0018: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = __this->get_head_0(); V_0 = L_3; goto IL_003d; } IL_0021: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_4 = V_0; NullCheck(L_4); RuntimeObject * L_5 = L_4->get_key_0(); RuntimeObject * L_6 = ___key0; NullCheck(L_5); bool L_7 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_5, L_6); if (!L_7) { goto IL_0036; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_8 = V_0; NullCheck(L_8); RuntimeObject * L_9 = L_8->get_value_1(); return L_9; } IL_0036: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_10 = V_0; NullCheck(L_10); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_11 = L_10->get_next_2(); V_0 = L_11; } IL_003d: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_12 = V_0; if (L_12) { goto IL_0021; } } { return NULL; } } // System.Void System.Collections.ListDictionaryInternal::set_Item(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_1 = NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_2 = NULL; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = ___key0; NullCheck(L_3); Type_t * L_4 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_3, /*hidden argument*/NULL); NullCheck(L_4); bool L_5 = VirtFuncInvoker0< bool >::Invoke(78 /* System.Boolean System.Type::get_IsSerializable() */, L_4); if (L_5) { goto IL_003a; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9382FBC8C783D9478A4582ED7204F747B4C1F6D1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_7 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_7, L_6, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_RuntimeMethod_var); } IL_003a: { RuntimeObject * L_8 = ___value1; if (!L_8) { goto IL_005f; } } { RuntimeObject * L_9 = ___value1; NullCheck(L_9); Type_t * L_10 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_9, /*hidden argument*/NULL); NullCheck(L_10); bool L_11 = VirtFuncInvoker0< bool >::Invoke(78 /* System.Boolean System.Type::get_IsSerializable() */, L_10); if (L_11) { goto IL_005f; } } { String_t* L_12 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9382FBC8C783D9478A4582ED7204F747B4C1F6D1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_13 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_13, L_12, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_13, ListDictionaryInternal_set_Item_m0D84075C62D38CA5F566AF23E24F38501C9814DE_RuntimeMethod_var); } IL_005f: { int32_t L_14 = __this->get_version_1(); __this->set_version_1(((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1))); V_0 = (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_15 = __this->get_head_0(); V_1 = L_15; goto IL_008f; } IL_0078: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_16 = V_1; NullCheck(L_16); RuntimeObject * L_17 = L_16->get_key_0(); RuntimeObject * L_18 = ___key0; NullCheck(L_17); bool L_19 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_17, L_18); if (L_19) { goto IL_0092; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_20 = V_1; V_0 = L_20; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_21 = V_1; NullCheck(L_21); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_22 = L_21->get_next_2(); V_1 = L_22; } IL_008f: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_23 = V_1; if (L_23) { goto IL_0078; } } IL_0092: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_24 = V_1; if (!L_24) { goto IL_009d; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_25 = V_1; RuntimeObject * L_26 = ___value1; NullCheck(L_25); L_25->set_value_1(L_26); return; } IL_009d: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_27 = (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)il2cpp_codegen_object_new(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C_il2cpp_TypeInfo_var); DictionaryNode__ctor_m28FE319F1995014B22485F864C292E738AF54B93(L_27, /*hidden argument*/NULL); V_2 = L_27; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_28 = V_2; RuntimeObject * L_29 = ___key0; NullCheck(L_28); L_28->set_key_0(L_29); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_30 = V_2; RuntimeObject * L_31 = ___value1; NullCheck(L_30); L_30->set_value_1(L_31); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_32 = V_0; if (!L_32) { goto IL_00bd; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_33 = V_0; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_34 = V_2; NullCheck(L_33); L_33->set_next_2(L_34); goto IL_00c4; } IL_00bd: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_35 = V_2; __this->set_head_0(L_35); } IL_00c4: { int32_t L_36 = __this->get_count_2(); __this->set_count_2(((int32_t)il2cpp_codegen_add((int32_t)L_36, (int32_t)1))); return; } } // System.Int32 System.Collections.ListDictionaryInternal::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ListDictionaryInternal_get_Count_m671A61D7E3D45284ED6F24657DCA0E7BAE22F1B7 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get_count_2(); return L_0; } } // System.Collections.ICollection System.Collections.ListDictionaryInternal::get_Keys() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ListDictionaryInternal_get_Keys_m9674EE5C5BCB561F4F15F369C73B065C9C056841 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_get_Keys_m9674EE5C5BCB561F4F15F369C73B065C9C056841_MetadataUsageId); s_Il2CppMethodInitialized = true; } { NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * L_0 = (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A *)il2cpp_codegen_object_new(NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A_il2cpp_TypeInfo_var); NodeKeyValueCollection__ctor_m431AFE81FFA8307BCF6E6145FF51F5E2F970769C(L_0, __this, (bool)1, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Collections.ListDictionaryInternal::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ListDictionaryInternal_get_IsReadOnly_m6D32CCF10357E71D98E90ACF330144674DE5E1B4 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { { return (bool)0; } } // System.Object System.Collections.ListDictionaryInternal::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ListDictionaryInternal_get_SyncRoot_m88EB114FF189FA895C06678E7185AC9DA04FA950 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_get_SyncRoot_m88EB114FF189FA895C06678E7185AC9DA04FA950_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = __this->get__syncRoot_3(); if (L_0) { goto IL_001a; } } { RuntimeObject ** L_1 = __this->get_address_of__syncRoot_3(); RuntimeObject * L_2 = (RuntimeObject *)il2cpp_codegen_object_new(RuntimeObject_il2cpp_TypeInfo_var); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(L_2, /*hidden argument*/NULL); InterlockedCompareExchangeImpl<RuntimeObject *>((RuntimeObject **)L_1, L_2, NULL); } IL_001a: { RuntimeObject * L_3 = __this->get__syncRoot_3(); return L_3; } } // System.Void System.Collections.ListDictionaryInternal::Add(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_1 = NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_2 = NULL; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = ___key0; NullCheck(L_3); Type_t * L_4 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_3, /*hidden argument*/NULL); NullCheck(L_4); bool L_5 = VirtFuncInvoker0< bool >::Invoke(78 /* System.Boolean System.Type::get_IsSerializable() */, L_4); if (L_5) { goto IL_003a; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9382FBC8C783D9478A4582ED7204F747B4C1F6D1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_7 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_7, L_6, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_RuntimeMethod_var); } IL_003a: { RuntimeObject * L_8 = ___value1; if (!L_8) { goto IL_005f; } } { RuntimeObject * L_9 = ___value1; NullCheck(L_9); Type_t * L_10 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_9, /*hidden argument*/NULL); NullCheck(L_10); bool L_11 = VirtFuncInvoker0< bool >::Invoke(78 /* System.Boolean System.Type::get_IsSerializable() */, L_10); if (L_11) { goto IL_005f; } } { String_t* L_12 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9382FBC8C783D9478A4582ED7204F747B4C1F6D1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_13 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_13, L_12, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_13, ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_RuntimeMethod_var); } IL_005f: { int32_t L_14 = __this->get_version_1(); __this->set_version_1(((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1))); V_0 = (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_15 = __this->get_head_0(); V_1 = L_15; goto IL_00b2; } IL_0078: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_16 = V_1; NullCheck(L_16); RuntimeObject * L_17 = L_16->get_key_0(); RuntimeObject * L_18 = ___key0; NullCheck(L_17); bool L_19 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_17, L_18); if (!L_19) { goto IL_00a9; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = L_20; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_22 = V_1; NullCheck(L_22); RuntimeObject * L_23 = L_22->get_key_0(); NullCheck(L_21); ArrayElementTypeCheck (L_21, L_23); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_23); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_24 = L_21; RuntimeObject * L_25 = ___key0; NullCheck(L_24); ArrayElementTypeCheck (L_24, L_25); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_25); String_t* L_26 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralEB43350789911DF5B5D17EB5DFF35D072DFF48B7, L_24, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_27 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_27, L_26, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_27, ListDictionaryInternal_Add_m2D6DF4CC0E92004783D8E4C34BBF6675D029FBD2_RuntimeMethod_var); } IL_00a9: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_28 = V_1; V_0 = L_28; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_29 = V_1; NullCheck(L_29); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_30 = L_29->get_next_2(); V_1 = L_30; } IL_00b2: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_31 = V_1; if (L_31) { goto IL_0078; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_32 = V_1; if (!L_32) { goto IL_00c0; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_33 = V_1; RuntimeObject * L_34 = ___value1; NullCheck(L_33); L_33->set_value_1(L_34); return; } IL_00c0: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_35 = (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)il2cpp_codegen_object_new(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C_il2cpp_TypeInfo_var); DictionaryNode__ctor_m28FE319F1995014B22485F864C292E738AF54B93(L_35, /*hidden argument*/NULL); V_2 = L_35; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_36 = V_2; RuntimeObject * L_37 = ___key0; NullCheck(L_36); L_36->set_key_0(L_37); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_38 = V_2; RuntimeObject * L_39 = ___value1; NullCheck(L_38); L_38->set_value_1(L_39); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_40 = V_0; if (!L_40) { goto IL_00e0; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_41 = V_0; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_42 = V_2; NullCheck(L_41); L_41->set_next_2(L_42); goto IL_00e7; } IL_00e0: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_43 = V_2; __this->set_head_0(L_43); } IL_00e7: { int32_t L_44 = __this->get_count_2(); __this->set_count_2(((int32_t)il2cpp_codegen_add((int32_t)L_44, (int32_t)1))); return; } } // System.Void System.Collections.ListDictionaryInternal::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal_Clear_mCA3D8737DB4DAD6BE7A489B19EFEBFDF41578506 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { { __this->set_count_2(0); __this->set_head_0((DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL); int32_t L_0 = __this->get_version_1(); __this->set_version_1(((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)1))); return; } } // System.Boolean System.Collections.ListDictionaryInternal::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ListDictionaryInternal_Contains_m0889DC263BFBDAA6AD8DA592C222B8C1A119CFF1 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_Contains_m0889DC263BFBDAA6AD8DA592C222B8C1A119CFF1_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, ListDictionaryInternal_Contains_m0889DC263BFBDAA6AD8DA592C222B8C1A119CFF1_RuntimeMethod_var); } IL_0018: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = __this->get_head_0(); V_0 = L_3; goto IL_0038; } IL_0021: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_4 = V_0; NullCheck(L_4); RuntimeObject * L_5 = L_4->get_key_0(); RuntimeObject * L_6 = ___key0; NullCheck(L_5); bool L_7 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_5, L_6); if (!L_7) { goto IL_0031; } } { return (bool)1; } IL_0031: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_8 = V_0; NullCheck(L_8); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_9 = L_8->get_next_2(); V_0 = L_9; } IL_0038: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_10 = V_0; if (L_10) { goto IL_0021; } } { return (bool)0; } } // System.Void System.Collections.ListDictionaryInternal::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26 (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___index1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___index1; int32_t L_12 = ListDictionaryInternal_get_Count_m671A61D7E3D45284ED6F24657DCA0E7BAE22F1B7_inline(__this, /*hidden argument*/NULL); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_12))) { goto IL_0065; } } { String_t* L_13 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_14 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_14, L_13, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14, ListDictionaryInternal_CopyTo_m6A407AD02DD3D9463A2F929EBC6DE7275339BB26_RuntimeMethod_var); } IL_0065: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_15 = __this->get_head_0(); V_0 = L_15; goto IL_0097; } IL_006e: { RuntimeArray * L_16 = ___array0; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_17 = V_0; NullCheck(L_17); RuntimeObject * L_18 = L_17->get_key_0(); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_19 = V_0; NullCheck(L_19); RuntimeObject * L_20 = L_19->get_value_1(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_21; memset((&L_21), 0, sizeof(L_21)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_21), L_18, L_20, /*hidden argument*/NULL); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_22 = L_21; RuntimeObject * L_23 = Box(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var, &L_22); int32_t L_24 = ___index1; NullCheck(L_16); Array_SetValue_m3C6811CE9C45D1E461404B5D2FBD4EC1A054FDCA(L_16, L_23, L_24, /*hidden argument*/NULL); int32_t L_25 = ___index1; ___index1 = ((int32_t)il2cpp_codegen_add((int32_t)L_25, (int32_t)1)); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_26 = V_0; NullCheck(L_26); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_27 = L_26->get_next_2(); V_0 = L_27; } IL_0097: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_28 = V_0; if (L_28) { goto IL_006e; } } { return; } } // System.Collections.IDictionaryEnumerator System.Collections.ListDictionaryInternal::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ListDictionaryInternal_GetEnumerator_mF52220B279A7129CDCE8A1A6FA052872AEE7958B (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_GetEnumerator_mF52220B279A7129CDCE8A1A6FA052872AEE7958B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * L_0 = (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 *)il2cpp_codegen_object_new(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7_il2cpp_TypeInfo_var); NodeEnumerator__ctor_mEE9B2996CF37AAE5724A95BB6A694D6666BF75BA(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Collections.IEnumerator System.Collections.ListDictionaryInternal::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ListDictionaryInternal_System_Collections_IEnumerable_GetEnumerator_mB88A5A0A4C1C72E307F8D458771AE5F0F1935C5C (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_System_Collections_IEnumerable_GetEnumerator_mB88A5A0A4C1C72E307F8D458771AE5F0F1935C5C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * L_0 = (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 *)il2cpp_codegen_object_new(NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7_il2cpp_TypeInfo_var); NodeEnumerator__ctor_mEE9B2996CF37AAE5724A95BB6A694D6666BF75BA(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Void System.Collections.ListDictionaryInternal::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ListDictionaryInternal_Remove_m8830F948D15B54AE441A2F08C525BA1A2520A64E (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ListDictionaryInternal_Remove_m8830F948D15B54AE441A2F08C525BA1A2520A64E_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_1 = NULL; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, ListDictionaryInternal_Remove_m8830F948D15B54AE441A2F08C525BA1A2520A64E_RuntimeMethod_var); } IL_0018: { int32_t L_3 = __this->get_version_1(); __this->set_version_1(((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1))); V_0 = (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_4 = __this->get_head_0(); V_1 = L_4; goto IL_0048; } IL_0031: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_5 = V_1; NullCheck(L_5); RuntimeObject * L_6 = L_5->get_key_0(); RuntimeObject * L_7 = ___key0; NullCheck(L_6); bool L_8 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_6, L_7); if (L_8) { goto IL_004b; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_9 = V_1; V_0 = L_9; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_10 = V_1; NullCheck(L_10); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_11 = L_10->get_next_2(); V_1 = L_11; } IL_0048: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_12 = V_1; if (L_12) { goto IL_0031; } } IL_004b: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_13 = V_1; if (L_13) { goto IL_004f; } } { return; } IL_004f: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_14 = V_1; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_15 = __this->get_head_0(); if ((!(((RuntimeObject*)(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)L_14) == ((RuntimeObject*)(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)L_15)))) { goto IL_0066; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_16 = V_1; NullCheck(L_16); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_17 = L_16->get_next_2(); __this->set_head_0(L_17); goto IL_0072; } IL_0066: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_18 = V_0; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_19 = V_1; NullCheck(L_19); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_20 = L_19->get_next_2(); NullCheck(L_18); L_18->set_next_2(L_20); } IL_0072: { int32_t L_21 = __this->get_count_2(); __this->set_count_2(((int32_t)il2cpp_codegen_subtract((int32_t)L_21, (int32_t)1))); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.ListDictionaryInternal_DictionaryNode::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DictionaryNode__ctor_m28FE319F1995014B22485F864C292E738AF54B93 (DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.ListDictionaryInternal_NodeEnumerator::.ctor(System.Collections.ListDictionaryInternal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeEnumerator__ctor_mEE9B2996CF37AAE5724A95BB6A694D6666BF75BA (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = ___list0; __this->set_list_0(L_0); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = L_1->get_version_1(); __this->set_version_2(L_2); __this->set_start_3((bool)1); __this->set_current_1((DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL); return; } } // System.Object System.Collections.ListDictionaryInternal_NodeEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * NodeEnumerator_get_Current_m2F9ADD988136EE6CC948DAB6D1557ECBD6ABF051 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_get_Current_m2F9ADD988136EE6CC948DAB6D1557ECBD6ABF051_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_0 = NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796(__this, /*hidden argument*/NULL); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_1 = L_0; RuntimeObject * L_2 = Box(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var, &L_1); return L_2; } } // System.Collections.DictionaryEntry System.Collections.ListDictionaryInternal_NodeEnumerator::get_Entry() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_0 = __this->get_current_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NodeEnumerator_get_Entry_m2ADA8E3419ECD4AB35804DB1A96FE530DF86D796_RuntimeMethod_var); } IL_0018: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = __this->get_current_1(); NullCheck(L_3); RuntimeObject * L_4 = L_3->get_key_0(); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_5 = __this->get_current_1(); NullCheck(L_5); RuntimeObject * L_6 = L_5->get_value_1(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_7; memset((&L_7), 0, sizeof(L_7)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_7), L_4, L_6, /*hidden argument*/NULL); return L_7; } } // System.Object System.Collections.ListDictionaryInternal_NodeEnumerator::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * NodeEnumerator_get_Key_m876916B1826FA3BD6C57A6E97AECA50FCF84021B (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_get_Key_m876916B1826FA3BD6C57A6E97AECA50FCF84021B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_0 = __this->get_current_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NodeEnumerator_get_Key_m876916B1826FA3BD6C57A6E97AECA50FCF84021B_RuntimeMethod_var); } IL_0018: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = __this->get_current_1(); NullCheck(L_3); RuntimeObject * L_4 = L_3->get_key_0(); return L_4; } } // System.Object System.Collections.ListDictionaryInternal_NodeEnumerator::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * NodeEnumerator_get_Value_m2AF56ADD70274EBFEB8EBB2AE433532DABD5E289 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_get_Value_m2AF56ADD70274EBFEB8EBB2AE433532DABD5E289_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_0 = __this->get_current_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NodeEnumerator_get_Value_m2AF56ADD70274EBFEB8EBB2AE433532DABD5E289_RuntimeMethod_var); } IL_0018: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = __this->get_current_1(); NullCheck(L_3); RuntimeObject * L_4 = L_3->get_value_1(); return L_4; } } // System.Boolean System.Collections.ListDictionaryInternal_NodeEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool NodeEnumerator_MoveNext_mF7EB64C0633A49177F0817798BAD805FA4E7C025 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_MoveNext_mF7EB64C0633A49177F0817798BAD805FA4E7C025_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_2(); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_1 = __this->get_list_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_1(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NodeEnumerator_MoveNext_mF7EB64C0633A49177F0817798BAD805FA4E7C025_RuntimeMethod_var); } IL_0023: { bool L_5 = __this->get_start_3(); if (!L_5) { goto IL_0045; } } { ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_6 = __this->get_list_0(); NullCheck(L_6); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_7 = L_6->get_head_0(); __this->set_current_1(L_7); __this->set_start_3((bool)0); goto IL_005e; } IL_0045: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_8 = __this->get_current_1(); if (!L_8) { goto IL_005e; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_9 = __this->get_current_1(); NullCheck(L_9); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_10 = L_9->get_next_2(); __this->set_current_1(L_10); } IL_005e: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_11 = __this->get_current_1(); return (bool)((!(((RuntimeObject*)(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)L_11) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Void System.Collections.ListDictionaryInternal_NodeEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeEnumerator_Reset_m0DAD13011DCF933A2CD6917245CF84314CFF9976 (NodeEnumerator_tC2C4372210DF5A07304CBC72AB059B68E9FA46B7 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeEnumerator_Reset_m0DAD13011DCF933A2CD6917245CF84314CFF9976_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_2(); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_1 = __this->get_list_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_1(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NodeEnumerator_Reset_m0DAD13011DCF933A2CD6917245CF84314CFF9976_RuntimeMethod_var); } IL_0023: { __this->set_start_3((bool)1); __this->set_current_1((DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.ListDictionaryInternal_NodeKeyValueCollection::.ctor(System.Collections.ListDictionaryInternal,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueCollection__ctor_m431AFE81FFA8307BCF6E6145FF51F5E2F970769C (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, bool ___isKeys1, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = ___list0; __this->set_list_0(L_0); bool L_1 = ___isKeys1; __this->set_isKeys_1(L_1); return; } } // System.Void System.Collections.ListDictionaryInternal_NodeKeyValueCollection::System.Collections.ICollection.CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_MetadataUsageId); s_Il2CppMethodInitialized = true; } DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_0 = NULL; RuntimeArray * G_B11_0 = NULL; RuntimeArray * G_B10_0 = NULL; RuntimeObject * G_B12_0 = NULL; RuntimeArray * G_B12_1 = NULL; { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___index1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___index1; ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_12 = __this->get_list_0(); NullCheck(L_12); int32_t L_13 = ListDictionaryInternal_get_Count_m671A61D7E3D45284ED6F24657DCA0E7BAE22F1B7_inline(L_12, /*hidden argument*/NULL); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_13))) { goto IL_006a; } } { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_15 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_15, L_14, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, NodeKeyValueCollection_System_Collections_ICollection_CopyTo_mD6F01B4184D2F5C55DA24AEF3B82A8E6BB3CCDFD_RuntimeMethod_var); } IL_006a: { ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_16 = __this->get_list_0(); NullCheck(L_16); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_17 = L_16->get_head_0(); V_0 = L_17; goto IL_00a1; } IL_0078: { RuntimeArray * L_18 = ___array0; bool L_19 = __this->get_isKeys_1(); G_B10_0 = L_18; if (L_19) { G_B11_0 = L_18; goto IL_0089; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_20 = V_0; NullCheck(L_20); RuntimeObject * L_21 = L_20->get_value_1(); G_B12_0 = L_21; G_B12_1 = G_B10_0; goto IL_008f; } IL_0089: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_22 = V_0; NullCheck(L_22); RuntimeObject * L_23 = L_22->get_key_0(); G_B12_0 = L_23; G_B12_1 = G_B11_0; } IL_008f: { int32_t L_24 = ___index1; NullCheck(G_B12_1); Array_SetValue_m3C6811CE9C45D1E461404B5D2FBD4EC1A054FDCA(G_B12_1, G_B12_0, L_24, /*hidden argument*/NULL); int32_t L_25 = ___index1; ___index1 = ((int32_t)il2cpp_codegen_add((int32_t)L_25, (int32_t)1)); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_26 = V_0; NullCheck(L_26); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_27 = L_26->get_next_2(); V_0 = L_27; } IL_00a1: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_28 = V_0; if (L_28) { goto IL_0078; } } { return; } } // System.Int32 System.Collections.ListDictionaryInternal_NodeKeyValueCollection::System.Collections.ICollection.get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t NodeKeyValueCollection_System_Collections_ICollection_get_Count_m6D7A638CAF981B76D7355A885A67229D7697C476 (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, const RuntimeMethod* method) { int32_t V_0 = 0; DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * V_1 = NULL; { V_0 = 0; ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = __this->get_list_0(); NullCheck(L_0); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_1 = L_0->get_head_0(); V_1 = L_1; goto IL_001b; } IL_0010: { int32_t L_2 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)1)); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_3 = V_1; NullCheck(L_3); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_4 = L_3->get_next_2(); V_1 = L_4; } IL_001b: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_5 = V_1; if (L_5) { goto IL_0010; } } { int32_t L_6 = V_0; return L_6; } } // System.Object System.Collections.ListDictionaryInternal_NodeKeyValueCollection::System.Collections.ICollection.get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * NodeKeyValueCollection_System_Collections_ICollection_get_SyncRoot_m643174E54C3E74D6F918B53A5CF7DB7BAF3D39CB (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, const RuntimeMethod* method) { { ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = __this->get_list_0(); NullCheck(L_0); RuntimeObject * L_1 = ListDictionaryInternal_get_SyncRoot_m88EB114FF189FA895C06678E7185AC9DA04FA950(L_0, /*hidden argument*/NULL); return L_1; } } // System.Collections.IEnumerator System.Collections.ListDictionaryInternal_NodeKeyValueCollection::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* NodeKeyValueCollection_System_Collections_IEnumerable_GetEnumerator_mEE5E9C30549D42EAAC2807E8E5C5E15BB255BFAE (NodeKeyValueCollection_t92991771EF37D530802FD9C1E1F2C445EA38187A * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeKeyValueCollection_System_Collections_IEnumerable_GetEnumerator_mEE5E9C30549D42EAAC2807E8E5C5E15BB255BFAE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = __this->get_list_0(); bool L_1 = __this->get_isKeys_1(); NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * L_2 = (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 *)il2cpp_codegen_object_new(NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2_il2cpp_TypeInfo_var); NodeKeyValueEnumerator__ctor_m3DF6E9ED3123CBE0BB387D93DB69CA3A5B881EA2(L_2, L_0, L_1, /*hidden argument*/NULL); return L_2; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::.ctor(System.Collections.ListDictionaryInternal,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueEnumerator__ctor_m3DF6E9ED3123CBE0BB387D93DB69CA3A5B881EA2 (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * __this, ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * ___list0, bool ___isKeys1, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_0 = ___list0; __this->set_list_0(L_0); bool L_1 = ___isKeys1; __this->set_isKeys_3(L_1); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_2 = ___list0; NullCheck(L_2); int32_t L_3 = L_2->get_version_1(); __this->set_version_2(L_3); __this->set_start_4((bool)1); __this->set_current_1((DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL); return; } } // System.Object System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * NodeKeyValueEnumerator_get_Current_m3ACA9CE20B8D7D8258C392EBD39B82B2758631BB (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeKeyValueEnumerator_get_Current_m3ACA9CE20B8D7D8258C392EBD39B82B2758631BB_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_0 = __this->get_current_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NodeKeyValueEnumerator_get_Current_m3ACA9CE20B8D7D8258C392EBD39B82B2758631BB_RuntimeMethod_var); } IL_0018: { bool L_3 = __this->get_isKeys_3(); if (L_3) { goto IL_002c; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_4 = __this->get_current_1(); NullCheck(L_4); RuntimeObject * L_5 = L_4->get_value_1(); return L_5; } IL_002c: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_6 = __this->get_current_1(); NullCheck(L_6); RuntimeObject * L_7 = L_6->get_key_0(); return L_7; } } // System.Boolean System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool NodeKeyValueEnumerator_MoveNext_mA9E4B60E2BA389C797B17ECAB6D9C42E620B4353 (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeKeyValueEnumerator_MoveNext_mA9E4B60E2BA389C797B17ECAB6D9C42E620B4353_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_2(); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_1 = __this->get_list_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_1(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NodeKeyValueEnumerator_MoveNext_mA9E4B60E2BA389C797B17ECAB6D9C42E620B4353_RuntimeMethod_var); } IL_0023: { bool L_5 = __this->get_start_4(); if (!L_5) { goto IL_0045; } } { ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_6 = __this->get_list_0(); NullCheck(L_6); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_7 = L_6->get_head_0(); __this->set_current_1(L_7); __this->set_start_4((bool)0); goto IL_005e; } IL_0045: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_8 = __this->get_current_1(); if (!L_8) { goto IL_005e; } } { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_9 = __this->get_current_1(); NullCheck(L_9); DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_10 = L_9->get_next_2(); __this->set_current_1(L_10); } IL_005e: { DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C * L_11 = __this->get_current_1(); return (bool)((!(((RuntimeObject*)(DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)L_11) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Void System.Collections.ListDictionaryInternal_NodeKeyValueCollection_NodeKeyValueEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void NodeKeyValueEnumerator_Reset_mB2004623AA41A100CC31DB9940A3C1A4048707BE (NodeKeyValueEnumerator_t563B0A7683D8ABA8E8051C7546F1295506E4B2C2 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (NodeKeyValueEnumerator_Reset_mB2004623AA41A100CC31DB9940A3C1A4048707BE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_2(); ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * L_1 = __this->get_list_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_1(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NodeKeyValueEnumerator_Reset_mB2004623AA41A100CC31DB9940A3C1A4048707BE_RuntimeMethod_var); } IL_0023: { __this->set_start_4((bool)1); __this->set_current_1((DictionaryNode_tB339977C424847FD9302A917795F79BB8AD32C3C *)NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.LowLevelComparer::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LowLevelComparer__ctor_m880FBF3287CA2B9BA3A3501F8492A224C3045605 (LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); return; } } // System.Int32 System.Collections.LowLevelComparer::Compare(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t LowLevelComparer_Compare_m950FD3BE5F5E45A8603E7F41582B14316F91863E (LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * __this, RuntimeObject * ___a0, RuntimeObject * ___b1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LowLevelComparer_Compare_m950FD3BE5F5E45A8603E7F41582B14316F91863E_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; RuntimeObject* V_1 = NULL; { RuntimeObject * L_0 = ___a0; RuntimeObject * L_1 = ___b1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return 0; } IL_0006: { RuntimeObject * L_2 = ___a0; if (L_2) { goto IL_000b; } } { return (-1); } IL_000b: { RuntimeObject * L_3 = ___b1; if (L_3) { goto IL_0010; } } { return 1; } IL_0010: { RuntimeObject * L_4 = ___a0; V_0 = ((RuntimeObject*)IsInst((RuntimeObject*)L_4, IComparable_tF58875555EC83AB78FA9E958C48803C6AF9FB5D9_il2cpp_TypeInfo_var)); RuntimeObject* L_5 = V_0; if (!L_5) { goto IL_0022; } } { RuntimeObject* L_6 = V_0; RuntimeObject * L_7 = ___b1; NullCheck(L_6); int32_t L_8 = InterfaceFuncInvoker1< int32_t, RuntimeObject * >::Invoke(0 /* System.Int32 System.IComparable::CompareTo(System.Object) */, IComparable_tF58875555EC83AB78FA9E958C48803C6AF9FB5D9_il2cpp_TypeInfo_var, L_6, L_7); return L_8; } IL_0022: { RuntimeObject * L_9 = ___b1; V_1 = ((RuntimeObject*)IsInst((RuntimeObject*)L_9, IComparable_tF58875555EC83AB78FA9E958C48803C6AF9FB5D9_il2cpp_TypeInfo_var)); RuntimeObject* L_10 = V_1; if (!L_10) { goto IL_0035; } } { RuntimeObject* L_11 = V_1; RuntimeObject * L_12 = ___a0; NullCheck(L_11); int32_t L_13 = InterfaceFuncInvoker1< int32_t, RuntimeObject * >::Invoke(0 /* System.Int32 System.IComparable::CompareTo(System.Object) */, IComparable_tF58875555EC83AB78FA9E958C48803C6AF9FB5D9_il2cpp_TypeInfo_var, L_11, L_12); return ((-L_13)); } IL_0035: { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_14 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_14, _stringLiteral463C9ACFFA099CA60B83F74DD23B2E4DE31E298B, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14, LowLevelComparer_Compare_m950FD3BE5F5E45A8603E7F41582B14316F91863E_RuntimeMethod_var); } } // System.Void System.Collections.LowLevelComparer::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LowLevelComparer__cctor_m2DCDAD27BA9553BF9C77B200A37B4C26B5146B53 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LowLevelComparer__cctor_m2DCDAD27BA9553BF9C77B200A37B4C26B5146B53_MetadataUsageId); s_Il2CppMethodInitialized = true; } { LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 * L_0 = (LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1 *)il2cpp_codegen_object_new(LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_il2cpp_TypeInfo_var); LowLevelComparer__ctor_m880FBF3287CA2B9BA3A3501F8492A224C3045605(L_0, /*hidden argument*/NULL); ((LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_StaticFields*)il2cpp_codegen_static_fields_for(LowLevelComparer_t4DB5A06518FF5F1549DDAFDA5E7B67FDEA4BF7F1_il2cpp_TypeInfo_var))->set_Default_0(L_0); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Queue::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_mF04C9A574B8F803C2682CCE8B69B49FF088D14C4 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { { Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979(__this, ((int32_t)32), (2.0f), /*hidden argument*/NULL); return; } } // System.Void System.Collections.Queue::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_m7A38C651E238B2B6626D9DE8182210D956F4FCCD (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, const RuntimeMethod* method) { { int32_t L_0 = ___capacity0; Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979(__this, L_0, (2.0f), /*hidden argument*/NULL); return; } } // System.Void System.Collections.Queue::.ctor(System.Int32,System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, float ___growFactor1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); int32_t L_0 = ___capacity0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001f; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_2, _stringLiteral7CB1F56D3FBE09E809244FC8E13671CD876E3860, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979_RuntimeMethod_var); } IL_001f: { float L_3 = ___growFactor1; if ((!(((double)(((double)((double)L_3)))) >= ((double)(1.0))))) { goto IL_0039; } } { float L_4 = ___growFactor1; if ((((double)(((double)((double)L_4)))) <= ((double)(10.0)))) { goto IL_0067; } } IL_0039: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = L_5; int32_t L_7 = 1; RuntimeObject * L_8 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_7); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_8); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_8); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = L_6; int32_t L_10 = ((int32_t)10); RuntimeObject * L_11 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_10); NullCheck(L_9); ArrayElementTypeCheck (L_9, L_11); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_11); String_t* L_12 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteral5734F14C44F430B146A89DA661A0503197EAD36E, L_9, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_13 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_13, _stringLiteral8F94F72A6FCAE8B2F94FEDE0B6429F19FE405F01, L_12, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_13, Queue__ctor_mC5A814C0F2BE53160F67504AE9FF1BD157588979_RuntimeMethod_var); } IL_0067: { int32_t L_14 = ___capacity0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_14); __this->set__array_0(L_15); __this->set__head_1(0); __this->set__tail_2(0); __this->set__size_3(0); float L_16 = ___growFactor1; __this->set__growFactor_4((((int32_t)((int32_t)((float)il2cpp_codegen_multiply((float)L_16, (float)(100.0f))))))); return; } } // System.Void System.Collections.Queue::.ctor(System.Collections.ICollection) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue__ctor_m9D54C0C05803263517B6B75FC6BF08371A28EC52 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, RuntimeObject* ___col0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue__ctor_m9D54C0C05803263517B6B75FC6BF08371A28EC52_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B2_0 = NULL; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B1_0 = NULL; int32_t G_B3_0 = 0; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B3_1 = NULL; { RuntimeObject* L_0 = ___col0; G_B1_0 = __this; if (!L_0) { G_B2_0 = __this; goto IL_000c; } } { RuntimeObject* L_1 = ___col0; NullCheck(L_1); int32_t L_2 = InterfaceFuncInvoker0< int32_t >::Invoke(1 /* System.Int32 System.Collections.ICollection::get_Count() */, ICollection_tA3BAB2482E28132A7CA9E0E21393027353C28B54_il2cpp_TypeInfo_var, L_1); G_B3_0 = L_2; G_B3_1 = G_B1_0; goto IL_000e; } IL_000c: { G_B3_0 = ((int32_t)32); G_B3_1 = G_B2_0; } IL_000e: { NullCheck(G_B3_1); Queue__ctor_m7A38C651E238B2B6626D9DE8182210D956F4FCCD(G_B3_1, G_B3_0, /*hidden argument*/NULL); RuntimeObject* L_3 = ___col0; if (L_3) { goto IL_0021; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_4 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_4, _stringLiteral58590A8E3AC0A0EE865C1F1181F860909805C3C3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, Queue__ctor_m9D54C0C05803263517B6B75FC6BF08371A28EC52_RuntimeMethod_var); } IL_0021: { RuntimeObject* L_5 = ___col0; NullCheck(L_5); RuntimeObject* L_6 = InterfaceFuncInvoker0< RuntimeObject* >::Invoke(0 /* System.Collections.IEnumerator System.Collections.IEnumerable::GetEnumerator() */, IEnumerable_tD74549CEA1AA48E768382B94FEACBB07E2E3FA2C_il2cpp_TypeInfo_var, L_5); V_0 = L_6; goto IL_0036; } IL_002a: { RuntimeObject* L_7 = V_0; NullCheck(L_7); RuntimeObject * L_8 = InterfaceFuncInvoker0< RuntimeObject * >::Invoke(1 /* System.Object System.Collections.IEnumerator::get_Current() */, IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var, L_7); VirtActionInvoker1< RuntimeObject * >::Invoke(14 /* System.Void System.Collections.Queue::Enqueue(System.Object) */, __this, L_8); } IL_0036: { RuntimeObject* L_9 = V_0; NullCheck(L_9); bool L_10 = InterfaceFuncInvoker0< bool >::Invoke(0 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var, L_9); if (L_10) { goto IL_002a; } } { return; } } // System.Int32 System.Collections.Queue::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Queue_get_Count_m7F1BFE3590F56D54B20B3A2041486E1F42399C65 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__size_3(); return L_0; } } // System.Object System.Collections.Queue::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_Clone_m8827A33C420FB6B1432366B24D98FE7280729D66 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_Clone_m8827A33C420FB6B1432366B24D98FE7280729D66_MetadataUsageId); s_Il2CppMethodInitialized = true; } Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; int32_t G_B3_0 = 0; { int32_t L_0 = __this->get__size_3(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_1 = (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 *)il2cpp_codegen_object_new(Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3_il2cpp_TypeInfo_var); Queue__ctor_m7A38C651E238B2B6626D9DE8182210D956F4FCCD(L_1, L_0, /*hidden argument*/NULL); V_0 = L_1; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_2 = V_0; int32_t L_3 = __this->get__size_3(); NullCheck(L_2); L_2->set__size_3(L_3); int32_t L_4 = __this->get__size_3(); V_1 = L_4; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get__array_0(); NullCheck(L_5); int32_t L_6 = __this->get__head_1(); int32_t L_7 = V_1; if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_5)->max_length)))), (int32_t)L_6))) < ((int32_t)L_7))) { goto IL_0034; } } { int32_t L_8 = V_1; G_B3_0 = L_8; goto IL_0043; } IL_0034: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = __this->get__array_0(); NullCheck(L_9); int32_t L_10 = __this->get__head_1(); G_B3_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_9)->max_length)))), (int32_t)L_10)); } IL_0043: { V_2 = G_B3_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = __this->get__array_0(); int32_t L_12 = __this->get__head_1(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_13 = V_0; NullCheck(L_13); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_14 = L_13->get__array_0(); int32_t L_15 = V_2; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_11, L_12, (RuntimeArray *)(RuntimeArray *)L_14, 0, L_15, /*hidden argument*/NULL); int32_t L_16 = V_1; int32_t L_17 = V_2; V_1 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_16, (int32_t)L_17)); int32_t L_18 = V_1; if ((((int32_t)L_18) <= ((int32_t)0))) { goto IL_0087; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_19 = __this->get__array_0(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_20 = V_0; NullCheck(L_20); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = L_20->get__array_0(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_22 = __this->get__array_0(); NullCheck(L_22); int32_t L_23 = __this->get__head_1(); int32_t L_24 = V_1; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_19, 0, (RuntimeArray *)(RuntimeArray *)L_21, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_22)->max_length)))), (int32_t)L_23)), L_24, /*hidden argument*/NULL); } IL_0087: { Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_25 = V_0; int32_t L_26 = __this->get__version_5(); NullCheck(L_25); L_25->set__version_5(L_26); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_27 = V_0; return L_27; } } // System.Object System.Collections.Queue::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_get_SyncRoot_m498B47192FC69A5493708D478CAFEB16B5B3E676 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_get_SyncRoot_m498B47192FC69A5493708D478CAFEB16B5B3E676_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = __this->get__syncRoot_6(); if (L_0) { goto IL_001a; } } { RuntimeObject ** L_1 = __this->get_address_of__syncRoot_6(); RuntimeObject * L_2 = (RuntimeObject *)il2cpp_codegen_object_new(RuntimeObject_il2cpp_TypeInfo_var); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(L_2, /*hidden argument*/NULL); Interlocked_CompareExchange_m92F692322F12C6FD29B3834B380639DCD094B651((RuntimeObject **)L_1, L_2, NULL, /*hidden argument*/NULL); } IL_001a: { RuntimeObject * L_3 = __this->get__syncRoot_6(); return L_3; } } // System.Void System.Collections.Queue::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue_Clear_m6CF7FF36BB55D0667A4A91F5BC4746012E04D467 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__head_1(); int32_t L_1 = __this->get__tail_2(); if ((((int32_t)L_0) >= ((int32_t)L_1))) { goto IL_0027; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = __this->get__array_0(); int32_t L_3 = __this->get__head_1(); int32_t L_4 = __this->get__size_3(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_2, L_3, L_4, /*hidden argument*/NULL); goto IL_0059; } IL_0027: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get__array_0(); int32_t L_6 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = __this->get__array_0(); NullCheck(L_7); int32_t L_8 = __this->get__head_1(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_5, L_6, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_7)->max_length)))), (int32_t)L_8)), /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = __this->get__array_0(); int32_t L_10 = __this->get__tail_2(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_9, 0, L_10, /*hidden argument*/NULL); } IL_0059: { __this->set__head_1(0); __this->set__tail_2(0); __this->set__size_3(0); int32_t L_11 = __this->get__version_5(); __this->set__version_5(((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)1))); return; } } // System.Void System.Collections.Queue::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t G_B13_0 = 0; { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___index1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___index1; int32_t L_12 = __this->get__size_3(); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_12))) { goto IL_0060; } } { String_t* L_13 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_14 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_14, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14, Queue_CopyTo_m83969DA0BA9A261DC4E1737B704BB161754242F5_RuntimeMethod_var); } IL_0060: { int32_t L_15 = __this->get__size_3(); V_0 = L_15; int32_t L_16 = V_0; if (L_16) { goto IL_006b; } } { return; } IL_006b: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = __this->get__array_0(); NullCheck(L_17); int32_t L_18 = __this->get__head_1(); int32_t L_19 = V_0; if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_17)->max_length)))), (int32_t)L_18))) < ((int32_t)L_19))) { goto IL_0080; } } { int32_t L_20 = V_0; G_B13_0 = L_20; goto IL_008f; } IL_0080: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = __this->get__array_0(); NullCheck(L_21); int32_t L_22 = __this->get__head_1(); G_B13_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_21)->max_length)))), (int32_t)L_22)); } IL_008f: { V_1 = G_B13_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_23 = __this->get__array_0(); int32_t L_24 = __this->get__head_1(); RuntimeArray * L_25 = ___array0; int32_t L_26 = ___index1; int32_t L_27 = V_1; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_23, L_24, L_25, L_26, L_27, /*hidden argument*/NULL); int32_t L_28 = V_0; int32_t L_29 = V_1; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_28, (int32_t)L_29)); int32_t L_30 = V_0; if ((((int32_t)L_30) <= ((int32_t)0))) { goto IL_00cb; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_31 = __this->get__array_0(); RuntimeArray * L_32 = ___array0; int32_t L_33 = ___index1; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_34 = __this->get__array_0(); NullCheck(L_34); int32_t L_35 = __this->get__head_1(); int32_t L_36 = V_0; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_31, 0, L_32, ((int32_t)il2cpp_codegen_subtract((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_33, (int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_34)->max_length)))))), (int32_t)L_35)), L_36, /*hidden argument*/NULL); } IL_00cb: { return; } } // System.Void System.Collections.Queue::Enqueue(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue_Enqueue_mAB96DA7B967CCF88384C288A1104B4375ADC1D92 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get__size_3(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = __this->get__array_0(); NullCheck(L_1); if ((!(((uint32_t)L_0) == ((uint32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_1)->max_length)))))))) { goto IL_0046; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = __this->get__array_0(); NullCheck(L_2); int32_t L_3 = __this->get__growFactor_4(); V_0 = (((int32_t)((int32_t)((int64_t)((int64_t)((int64_t)il2cpp_codegen_multiply((int64_t)(((int64_t)((int64_t)(((int32_t)((int32_t)(((RuntimeArray*)L_2)->max_length))))))), (int64_t)(((int64_t)((int64_t)L_3)))))/(int64_t)(((int64_t)((int64_t)((int32_t)100))))))))); int32_t L_4 = V_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get__array_0(); NullCheck(L_5); if ((((int32_t)L_4) >= ((int32_t)((int32_t)il2cpp_codegen_add((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_5)->max_length)))), (int32_t)4))))) { goto IL_003f; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = __this->get__array_0(); NullCheck(L_6); V_0 = ((int32_t)il2cpp_codegen_add((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_6)->max_length)))), (int32_t)4)); } IL_003f: { int32_t L_7 = V_0; Queue_SetCapacity_mB3C8692505E4094B25C932B8AED6EB6A032283A0(__this, L_7, /*hidden argument*/NULL); } IL_0046: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = __this->get__array_0(); int32_t L_9 = __this->get__tail_2(); RuntimeObject * L_10 = ___obj0; NullCheck(L_8); ArrayElementTypeCheck (L_8, L_10); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_9), (RuntimeObject *)L_10); int32_t L_11 = __this->get__tail_2(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_12 = __this->get__array_0(); NullCheck(L_12); __this->set__tail_2(((int32_t)((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)1))%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_12)->max_length))))))); int32_t L_13 = __this->get__size_3(); __this->set__size_3(((int32_t)il2cpp_codegen_add((int32_t)L_13, (int32_t)1))); int32_t L_14 = __this->get__version_5(); __this->set__version_5(((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1))); return; } } // System.Collections.IEnumerator System.Collections.Queue::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* Queue_GetEnumerator_m8730E4BCDE57279CFC39992DB55CA7D6E508E2E6 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_GetEnumerator_m8730E4BCDE57279CFC39992DB55CA7D6E508E2E6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * L_0 = (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA *)il2cpp_codegen_object_new(QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA_il2cpp_TypeInfo_var); QueueEnumerator__ctor_m092D234EC5E7E625B31D1D626D951C1835F87EDF(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Object System.Collections.Queue::Dequeue() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_Dequeue_m76B0ECD1EFE53DF0AAFEB184912007322CDE7EB4 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_Dequeue_m76B0ECD1EFE53DF0AAFEB184912007322CDE7EB4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = VirtFuncInvoker0< int32_t >::Invoke(9 /* System.Int32 System.Collections.Queue::get_Count() */, __this); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral1F81AFFE48C2C2B337815693830EBEE586D9A96C, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Queue_Dequeue_m76B0ECD1EFE53DF0AAFEB184912007322CDE7EB4_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get__array_0(); int32_t L_4 = __this->get__head_1(); NullCheck(L_3); int32_t L_5 = L_4; RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = __this->get__array_0(); int32_t L_8 = __this->get__head_1(); NullCheck(L_7); ArrayElementTypeCheck (L_7, NULL); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(L_8), (RuntimeObject *)NULL); int32_t L_9 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = __this->get__array_0(); NullCheck(L_10); __this->set__head_1(((int32_t)((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1))%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_10)->max_length))))))); int32_t L_11 = __this->get__size_3(); __this->set__size_3(((int32_t)il2cpp_codegen_subtract((int32_t)L_11, (int32_t)1))); int32_t L_12 = __this->get__version_5(); __this->set__version_5(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return L_6; } } // System.Object System.Collections.Queue::Peek() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_Peek_m494EF9110AE8F89DC0999577445BD8FBBCA79BB4 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_Peek_m494EF9110AE8F89DC0999577445BD8FBBCA79BB4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = VirtFuncInvoker0< int32_t >::Invoke(9 /* System.Int32 System.Collections.Queue::get_Count() */, __this); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral1F81AFFE48C2C2B337815693830EBEE586D9A96C, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Queue_Peek_m494EF9110AE8F89DC0999577445BD8FBBCA79BB4_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get__array_0(); int32_t L_4 = __this->get__head_1(); NullCheck(L_3); int32_t L_5 = L_4; RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); return L_6; } } // System.Object System.Collections.Queue::GetElement(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Queue_GetElement_m612CFE182D43EF6A21EB21CDF53F80F4BC36816C (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___i0, const RuntimeMethod* method) { { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = __this->get__array_0(); int32_t L_1 = __this->get__head_1(); int32_t L_2 = ___i0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get__array_0(); NullCheck(L_3); NullCheck(L_0); int32_t L_4 = ((int32_t)((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_1, (int32_t)L_2))%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_3)->max_length)))))); RuntimeObject * L_5 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_4)); return L_5; } } // System.Object[] System.Collections.Queue::ToArray() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* Queue_ToArray_mED2DE7F1BC0135A34DB8DD72E8F272DCD5FA2918 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_ToArray_mED2DE7F1BC0135A34DB8DD72E8F272DCD5FA2918_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; { int32_t L_0 = __this->get__size_3(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_0); V_0 = L_1; int32_t L_2 = __this->get__size_3(); if (L_2) { goto IL_0016; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = V_0; return L_3; } IL_0016: { int32_t L_4 = __this->get__head_1(); int32_t L_5 = __this->get__tail_2(); if ((((int32_t)L_4) >= ((int32_t)L_5))) { goto IL_003f; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = __this->get__array_0(); int32_t L_7 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = V_0; int32_t L_9 = __this->get__size_3(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_6, L_7, (RuntimeArray *)(RuntimeArray *)L_8, 0, L_9, /*hidden argument*/NULL); goto IL_0083; } IL_003f: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = __this->get__array_0(); int32_t L_11 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_12 = V_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = __this->get__array_0(); NullCheck(L_13); int32_t L_14 = __this->get__head_1(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_10, L_11, (RuntimeArray *)(RuntimeArray *)L_12, 0, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_13)->max_length)))), (int32_t)L_14)), /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = __this->get__array_0(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = V_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = __this->get__array_0(); NullCheck(L_17); int32_t L_18 = __this->get__head_1(); int32_t L_19 = __this->get__tail_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_15, 0, (RuntimeArray *)(RuntimeArray *)L_16, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_17)->max_length)))), (int32_t)L_18)), L_19, /*hidden argument*/NULL); } IL_0083: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = V_0; return L_20; } } // System.Void System.Collections.Queue::SetCapacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Queue_SetCapacity_mB3C8692505E4094B25C932B8AED6EB6A032283A0 (Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * __this, int32_t ___capacity0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Queue_SetCapacity_mB3C8692505E4094B25C932B8AED6EB6A032283A0_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B6_0 = NULL; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B5_0 = NULL; int32_t G_B7_0 = 0; Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * G_B7_1 = NULL; { int32_t L_0 = ___capacity0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_0); V_0 = L_1; int32_t L_2 = __this->get__size_3(); if ((((int32_t)L_2) <= ((int32_t)0))) { goto IL_007d; } } { int32_t L_3 = __this->get__head_1(); int32_t L_4 = __this->get__tail_2(); if ((((int32_t)L_3) >= ((int32_t)L_4))) { goto IL_0039; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get__array_0(); int32_t L_6 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = V_0; int32_t L_8 = __this->get__size_3(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_5, L_6, (RuntimeArray *)(RuntimeArray *)L_7, 0, L_8, /*hidden argument*/NULL); goto IL_007d; } IL_0039: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = __this->get__array_0(); int32_t L_10 = __this->get__head_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = V_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_12 = __this->get__array_0(); NullCheck(L_12); int32_t L_13 = __this->get__head_1(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_9, L_10, (RuntimeArray *)(RuntimeArray *)L_11, 0, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_12)->max_length)))), (int32_t)L_13)), /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_14 = __this->get__array_0(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = V_0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = __this->get__array_0(); NullCheck(L_16); int32_t L_17 = __this->get__head_1(); int32_t L_18 = __this->get__tail_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_14, 0, (RuntimeArray *)(RuntimeArray *)L_15, ((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_16)->max_length)))), (int32_t)L_17)), L_18, /*hidden argument*/NULL); } IL_007d: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_19 = V_0; __this->set__array_0(L_19); __this->set__head_1(0); int32_t L_20 = __this->get__size_3(); int32_t L_21 = ___capacity0; G_B5_0 = __this; if ((((int32_t)L_20) == ((int32_t)L_21))) { G_B6_0 = __this; goto IL_009d; } } { int32_t L_22 = __this->get__size_3(); G_B7_0 = L_22; G_B7_1 = G_B5_0; goto IL_009e; } IL_009d: { G_B7_0 = 0; G_B7_1 = G_B6_0; } IL_009e: { NullCheck(G_B7_1); G_B7_1->set__tail_2(G_B7_0); int32_t L_23 = __this->get__version_5(); __this->set__version_5(((int32_t)il2cpp_codegen_add((int32_t)L_23, (int32_t)1))); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Queue_QueueEnumerator::.ctor(System.Collections.Queue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void QueueEnumerator__ctor_m092D234EC5E7E625B31D1D626D951C1835F87EDF (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * ___q0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_0 = ___q0; __this->set__q_0(L_0); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_1 = __this->get__q_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_5(); __this->set__version_2(L_2); __this->set__index_1(0); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_3 = __this->get__q_0(); NullCheck(L_3); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = L_3->get__array_0(); __this->set_currentElement_3((RuntimeObject *)L_4); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_5 = __this->get__q_0(); NullCheck(L_5); int32_t L_6 = L_5->get__size_3(); if (L_6) { goto IL_004a; } } { __this->set__index_1((-1)); } IL_004a: { return; } } // System.Object System.Collections.Queue_QueueEnumerator::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * QueueEnumerator_Clone_m7FEC8812D05C32AF9CD683028F82AB6F268FFA3C (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = Object_MemberwiseClone_m1DAC4538CD68D4CF4DC5B04E4BBE86D470948B28(__this, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Collections.Queue_QueueEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool QueueEnumerator_MoveNext_mD32B729CB15A926B5CD49F1A1227DE43601953F8 (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (QueueEnumerator_MoveNext_mD32B729CB15A926B5CD49F1A1227DE43601953F8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__version_2(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_1 = __this->get__q_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_5(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, QueueEnumerator_MoveNext_mD32B729CB15A926B5CD49F1A1227DE43601953F8_RuntimeMethod_var); } IL_0023: { int32_t L_5 = __this->get__index_1(); if ((((int32_t)L_5) >= ((int32_t)0))) { goto IL_003f; } } { Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_6 = __this->get__q_0(); NullCheck(L_6); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = L_6->get__array_0(); __this->set_currentElement_3((RuntimeObject *)L_7); return (bool)0; } IL_003f: { Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_8 = __this->get__q_0(); int32_t L_9 = __this->get__index_1(); NullCheck(L_8); RuntimeObject * L_10 = Queue_GetElement_m612CFE182D43EF6A21EB21CDF53F80F4BC36816C(L_8, L_9, /*hidden argument*/NULL); __this->set_currentElement_3(L_10); int32_t L_11 = __this->get__index_1(); __this->set__index_1(((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)1))); int32_t L_12 = __this->get__index_1(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_13 = __this->get__q_0(); NullCheck(L_13); int32_t L_14 = L_13->get__size_3(); if ((!(((uint32_t)L_12) == ((uint32_t)L_14)))) { goto IL_007e; } } { __this->set__index_1((-1)); } IL_007e: { return (bool)1; } } // System.Object System.Collections.Queue_QueueEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = __this->get_currentElement_3(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_1 = __this->get__q_0(); NullCheck(L_1); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1->get__array_0(); if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2)))) { goto IL_003b; } } { int32_t L_3 = __this->get__index_1(); if (L_3) { goto IL_002b; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral700336D6AF60425DC8D362092DE4C0FFB8576432, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_5 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C_RuntimeMethod_var); } IL_002b: { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral672E8F4CE93C075F32B4FD6C0D0EDAC1BDDB9469, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_7 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, QueueEnumerator_get_Current_m0E088D19465BA6CCC423A99857FC563A2E777B1C_RuntimeMethod_var); } IL_003b: { RuntimeObject * L_8 = __this->get_currentElement_3(); return L_8; } } // System.Void System.Collections.Queue_QueueEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void QueueEnumerator_Reset_mA1E9C48A119A6E6A98564BD3201D2B5E528986A4 (QueueEnumerator_t01610B48FE6A96358FDC0C32E2E04352EA2216FA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (QueueEnumerator_Reset_mA1E9C48A119A6E6A98564BD3201D2B5E528986A4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__version_2(); Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_1 = __this->get__q_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_5(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, QueueEnumerator_Reset_mA1E9C48A119A6E6A98564BD3201D2B5E528986A4_RuntimeMethod_var); } IL_0023: { Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_5 = __this->get__q_0(); NullCheck(L_5); int32_t L_6 = L_5->get__size_3(); if (L_6) { goto IL_0039; } } { __this->set__index_1((-1)); goto IL_0040; } IL_0039: { __this->set__index_1(0); } IL_0040: { Queue_tEC6DE7527799C2E4224B469ECD0CDD2B25E8E4F3 * L_7 = __this->get__q_0(); NullCheck(L_7); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = L_7->get__array_0(); __this->set_currentElement_3((RuntimeObject *)L_8); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.ArrayList System.Collections.ReadOnlyCollectionBase::get_InnerList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_0 = __this->get_list_0(); if (L_0) { goto IL_0013; } } { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_1 = (ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 *)il2cpp_codegen_object_new(ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4_il2cpp_TypeInfo_var); ArrayList__ctor_m481FA7B37620B59B8C0434A764F5705A6ABDEAE6(L_1, /*hidden argument*/NULL); __this->set_list_0(L_1); } IL_0013: { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_2 = __this->get_list_0(); return L_2; } } // System.Int32 System.Collections.ReadOnlyCollectionBase::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ReadOnlyCollectionBase_get_Count_m3AFE391E0D6503109D06731AB3CCD5404AAFF1E5 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method) { { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_0 = ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7(__this, /*hidden argument*/NULL); NullCheck(L_0); int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_0); return L_1; } } // System.Object System.Collections.ReadOnlyCollectionBase::System.Collections.ICollection.get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ReadOnlyCollectionBase_System_Collections_ICollection_get_SyncRoot_m66C5C99D4FACED82A2E53C584995AF705DA58711 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method) { { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_0 = ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7(__this, /*hidden argument*/NULL); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(24 /* System.Object System.Collections.ArrayList::get_SyncRoot() */, L_0); return L_1; } } // System.Void System.Collections.ReadOnlyCollectionBase::System.Collections.ICollection.CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ReadOnlyCollectionBase_System_Collections_ICollection_CopyTo_m7C2D09D28042CD2E0E77F205BB9814900C1F0355 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_0 = ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7(__this, /*hidden argument*/NULL); RuntimeArray * L_1 = ___array0; int32_t L_2 = ___index1; NullCheck(L_0); VirtActionInvoker2< RuntimeArray *, int32_t >::Invoke(33 /* System.Void System.Collections.ArrayList::CopyTo(System.Array,System.Int32) */, L_0, L_1, L_2); return; } } // System.Collections.IEnumerator System.Collections.ReadOnlyCollectionBase::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ReadOnlyCollectionBase_GetEnumerator_m29226A192B5902D7EF4701ABBD55A4CB4B56170E (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method) { { ArrayList_t4131E0C29C7E1B9BC9DFE37BEC41A5EB1481ADF4 * L_0 = ReadOnlyCollectionBase_get_InnerList_m3C3148B3398A9529F8947DB24457616A31F727B7(__this, /*hidden argument*/NULL); NullCheck(L_0); RuntimeObject* L_1 = VirtFuncInvoker0< RuntimeObject* >::Invoke(35 /* System.Collections.IEnumerator System.Collections.ArrayList::GetEnumerator() */, L_0); return L_1; } } // System.Void System.Collections.ReadOnlyCollectionBase::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ReadOnlyCollectionBase__ctor_mBEC71CA5710783D04E7409A67DDD99D3E8E522C1 (ReadOnlyCollectionBase_tFD695167917CE6DF4FA18A906FA530880B9B8772 * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.SortedList::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_mBF1B7B8D37D3C752EA3F9FA173076B9478A35CEE (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); SortedList_Init_m117CAD874BDC5E2559B518368A167CD4011F54C5(__this, /*hidden argument*/NULL); return; } } // System.Void System.Collections.SortedList::Init() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Init_m117CAD874BDC5E2559B518368A167CD4011F54C5 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_Init_m117CAD874BDC5E2559B518368A167CD4011F54C5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ((SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields*)il2cpp_codegen_static_fields_for(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var))->get_emptyArray_8(); __this->set_keys_0(L_0); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = ((SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields*)il2cpp_codegen_static_fields_for(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var))->get_emptyArray_8(); __this->set_values_1(L_1); __this->set__size_2(0); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_2 = CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831(/*hidden argument*/NULL); Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * L_3 = (Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B *)il2cpp_codegen_object_new(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_il2cpp_TypeInfo_var); Comparer__ctor_m48A082269DF4CAE72581C18FD8C232B8CF1B09CA(L_3, L_2, /*hidden argument*/NULL); __this->set_comparer_4(L_3); return; } } // System.Void System.Collections.SortedList::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___initialCapacity0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); int32_t L_0 = ___initialCapacity0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001f; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_2, _stringLiteral4C28A7D98B2E79E88DB5793B92CAC2973807E234, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D_RuntimeMethod_var); } IL_001f: { int32_t L_3 = ___initialCapacity0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_3); __this->set_keys_0(L_4); int32_t L_5 = ___initialCapacity0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_5); __this->set_values_1(L_6); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_7 = CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831(/*hidden argument*/NULL); Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B * L_8 = (Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B *)il2cpp_codegen_object_new(Comparer_t02D6323B7C3FB1B7681184587B0E1174F8DF6B3B_il2cpp_TypeInfo_var); Comparer__ctor_m48A082269DF4CAE72581C18FD8C232B8CF1B09CA(L_8, L_7, /*hidden argument*/NULL); __this->set_comparer_4(L_8); return; } } // System.Void System.Collections.SortedList::.ctor(System.Collections.IComparer) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_mD73C626428344DB75A9EE4EBDD009568226D7757 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject* ___comparer0, const RuntimeMethod* method) { { SortedList__ctor_mBF1B7B8D37D3C752EA3F9FA173076B9478A35CEE(__this, /*hidden argument*/NULL); RuntimeObject* L_0 = ___comparer0; if (!L_0) { goto IL_0010; } } { RuntimeObject* L_1 = ___comparer0; __this->set_comparer_4(L_1); } IL_0010: { return; } } // System.Void System.Collections.SortedList::.ctor(System.Collections.IComparer,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__ctor_mE69C668800C6AF9EE9C745E046E151352D424E79 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject* ___comparer0, int32_t ___capacity1, const RuntimeMethod* method) { { RuntimeObject* L_0 = ___comparer0; SortedList__ctor_mD73C626428344DB75A9EE4EBDD009568226D7757(__this, L_0, /*hidden argument*/NULL); int32_t L_1 = ___capacity1; VirtActionInvoker1< int32_t >::Invoke(20 /* System.Void System.Collections.SortedList::set_Capacity(System.Int32) */, __this, L_1); return; } } // System.Void System.Collections.SortedList::Add(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get_keys_0(); int32_t L_4 = __this->get__size_2(); RuntimeObject * L_5 = ___key0; RuntimeObject* L_6 = __this->get_comparer_4(); int32_t L_7 = Array_BinarySearch_m9DDEAE93E0F338A676E9FF7E97AAEFF8D009D32F((RuntimeArray *)(RuntimeArray *)L_3, 0, L_4, L_5, L_6, /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = V_0; if ((((int32_t)L_8) < ((int32_t)0))) { goto IL_005a; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = L_9; int32_t L_11 = V_0; RuntimeObject * L_12 = VirtFuncInvoker1< RuntimeObject *, int32_t >::Invoke(33 /* System.Object System.Collections.SortedList::GetKey(System.Int32) */, __this, L_11); NullCheck(L_10); ArrayElementTypeCheck (L_10, L_12); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_12); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = L_10; RuntimeObject * L_14 = ___key0; NullCheck(L_13); ArrayElementTypeCheck (L_13, L_14); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_14); String_t* L_15 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralEB43350789911DF5B5D17EB5DFF35D072DFF48B7, L_13, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_16 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_16, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16, SortedList_Add_m9BF149A943E2E98CCAC52DF7544A87A528F49233_RuntimeMethod_var); } IL_005a: { int32_t L_17 = V_0; RuntimeObject * L_18 = ___key0; RuntimeObject * L_19 = ___value1; SortedList_Insert_mDC41054D6440DF5AD4873ABB9D4F4583067B6287(__this, ((~L_17)), L_18, L_19, /*hidden argument*/NULL); return; } } // System.Int32 System.Collections.SortedList::get_Capacity() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SortedList_get_Capacity_mB44EDBBD56AB14D512FCD334E9167DF03D7AEFA3 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = __this->get_keys_0(); NullCheck(L_0); return (((int32_t)((int32_t)(((RuntimeArray*)L_0)->max_length)))); } } // System.Void System.Collections.SortedList::set_Capacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_set_Capacity_mBE3FA4CD3FFF4D79E340C95007ED475AC96EFB52 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_set_Capacity_mBE3FA4CD3FFF4D79E340C95007ED475AC96EFB52_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL; { int32_t L_0 = ___value0; int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)L_0) >= ((int32_t)L_1))) { goto IL_001e; } } { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFB89F8D393DA096100BFDC1D5649D094EFF15377, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, SortedList_set_Capacity_mBE3FA4CD3FFF4D79E340C95007ED475AC96EFB52_RuntimeMethod_var); } IL_001e: { int32_t L_4 = ___value0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get_keys_0(); NullCheck(L_5); if ((((int32_t)L_4) == ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_5)->max_length))))))) { goto IL_0091; } } { int32_t L_6 = ___value0; if ((((int32_t)L_6) <= ((int32_t)0))) { goto IL_007b; } } { int32_t L_7 = ___value0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_7); V_0 = L_8; int32_t L_9 = ___value0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_9); V_1 = L_10; int32_t L_11 = __this->get__size_2(); if ((((int32_t)L_11) <= ((int32_t)0))) { goto IL_006c; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_12 = __this->get_keys_0(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = V_0; int32_t L_14 = __this->get__size_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_12, 0, (RuntimeArray *)(RuntimeArray *)L_13, 0, L_14, /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = __this->get_values_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = V_1; int32_t L_17 = __this->get__size_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_15, 0, (RuntimeArray *)(RuntimeArray *)L_16, 0, L_17, /*hidden argument*/NULL); } IL_006c: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_18 = V_0; __this->set_keys_0(L_18); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_19 = V_1; __this->set_values_1(L_19); return; } IL_007b: { IL2CPP_RUNTIME_CLASS_INIT(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = ((SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields*)il2cpp_codegen_static_fields_for(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var))->get_emptyArray_8(); __this->set_keys_0(L_20); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = ((SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields*)il2cpp_codegen_static_fields_for(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var))->get_emptyArray_8(); __this->set_values_1(L_21); } IL_0091: { return; } } // System.Int32 System.Collections.SortedList::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SortedList_get_Count_m29CA1E35CAEF31A67D6C774546EC01898DEFF64C (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__size_2(); return L_0; } } // System.Collections.ICollection System.Collections.SortedList::get_Keys() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_get_Keys_m579F6D826BA0CCBC37E3E8C5CAFAB2A154DF621C (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { RuntimeObject* L_0 = VirtFuncInvoker0< RuntimeObject* >::Invoke(34 /* System.Collections.IList System.Collections.SortedList::GetKeyList() */, __this); return L_0; } } // System.Collections.ICollection System.Collections.SortedList::get_Values() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_get_Values_m91838A9812BDD038040F5DC4893111A86F28EE20 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { RuntimeObject* L_0 = VirtFuncInvoker0< RuntimeObject* >::Invoke(35 /* System.Collections.IList System.Collections.SortedList::GetValueList() */, __this); return L_0; } } // System.Boolean System.Collections.SortedList::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SortedList_get_IsReadOnly_m392273750D636276A4FDDA510D5468F75302BE80 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { return (bool)0; } } // System.Object System.Collections.SortedList::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedList_get_SyncRoot_m9B6378B572BC8CEF951E5C477EB24EAFBE6A894B (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_get_SyncRoot_m9B6378B572BC8CEF951E5C477EB24EAFBE6A894B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = __this->get__syncRoot_7(); if (L_0) { goto IL_001a; } } { RuntimeObject ** L_1 = __this->get_address_of__syncRoot_7(); RuntimeObject * L_2 = (RuntimeObject *)il2cpp_codegen_object_new(RuntimeObject_il2cpp_TypeInfo_var); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(L_2, /*hidden argument*/NULL); InterlockedCompareExchangeImpl<RuntimeObject *>((RuntimeObject **)L_1, L_2, NULL); } IL_001a: { RuntimeObject * L_3 = __this->get__syncRoot_7(); return L_3; } } // System.Void System.Collections.SortedList::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Clear_m4B0CB633860B7E7DA45C4DD7C9E49C5C86259164 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get_version_3(); __this->set_version_3(((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)1))); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = __this->get_keys_0(); int32_t L_2 = __this->get__size_2(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_1, 0, L_2, /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get_values_1(); int32_t L_4 = __this->get__size_2(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_3, 0, L_4, /*hidden argument*/NULL); __this->set__size_2(0); return; } } // System.Object System.Collections.SortedList::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedList_Clone_m764F0897536D23F33ECE5691E3009C24D551F78C (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_Clone_m764F0897536D23F33ECE5691E3009C24D551F78C_MetadataUsageId); s_Il2CppMethodInitialized = true; } SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * V_0 = NULL; { int32_t L_0 = __this->get__size_2(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E *)il2cpp_codegen_object_new(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var); SortedList__ctor_m8AB9EF2D57A8FDA543258B1B7C885F810D5B9D4D(L_1, L_0, /*hidden argument*/NULL); V_0 = L_1; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = __this->get_keys_0(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_3 = V_0; NullCheck(L_3); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = L_3->get_keys_0(); int32_t L_5 = __this->get__size_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_2, 0, (RuntimeArray *)(RuntimeArray *)L_4, 0, L_5, /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = __this->get_values_1(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_7 = V_0; NullCheck(L_7); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = L_7->get_values_1(); int32_t L_9 = __this->get__size_2(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_6, 0, (RuntimeArray *)(RuntimeArray *)L_8, 0, L_9, /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_10 = V_0; int32_t L_11 = __this->get__size_2(); NullCheck(L_10); L_10->set__size_2(L_11); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_12 = V_0; int32_t L_13 = __this->get_version_3(); NullCheck(L_12); L_12->set_version_3(L_13); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_14 = V_0; RuntimeObject* L_15 = __this->get_comparer_4(); NullCheck(L_14); L_14->set_comparer_4(L_15); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_16 = V_0; return L_16; } } // System.Boolean System.Collections.SortedList::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SortedList_Contains_m56B1088127E73D4A71CA8F5B36B0704D36EDFA65 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___key0; int32_t L_1 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(38 /* System.Int32 System.Collections.SortedList::IndexOfKey(System.Object) */, __this, L_0); return (bool)((((int32_t)((((int32_t)L_1) < ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.Collections.SortedList::ContainsValue(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SortedList_ContainsValue_mDF3D04AFC0F5A29F65B07E63A6B64357CA498C4F (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___value0; int32_t L_1 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(39 /* System.Int32 System.Collections.SortedList::IndexOfValue(System.Object) */, __this, L_0); return (bool)((((int32_t)((((int32_t)L_1) < ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Void System.Collections.SortedList::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 V_1; memset((&V_1), 0, sizeof(V_1)); { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral867AD8C2544ED5D38EC2B4986A28AA22B284F710, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_RuntimeMethod_var); } IL_0018: { RuntimeArray * L_3 = ___array0; NullCheck(L_3); int32_t L_4 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_3, /*hidden argument*/NULL); if ((((int32_t)L_4) == ((int32_t)1))) { goto IL_0031; } } { String_t* L_5 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_6 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_6, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_RuntimeMethod_var); } IL_0031: { int32_t L_7 = ___arrayIndex1; if ((((int32_t)L_7) >= ((int32_t)0))) { goto IL_004a; } } { String_t* L_8 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_9 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_9, _stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_RuntimeMethod_var); } IL_004a: { RuntimeArray * L_10 = ___array0; NullCheck(L_10); int32_t L_11 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_10, /*hidden argument*/NULL); int32_t L_12 = ___arrayIndex1; int32_t L_13 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_11, (int32_t)L_12))) >= ((int32_t)L_13))) { goto IL_006a; } } { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_15 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, SortedList_CopyTo_m3A86A44F4E73C76B75A868FCD4CF94E023F43E61_RuntimeMethod_var); } IL_006a: { V_0 = 0; goto IL_0098; } IL_006e: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = __this->get_keys_0(); int32_t L_17 = V_0; NullCheck(L_16); int32_t L_18 = L_17; RuntimeObject * L_19 = (L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = __this->get_values_1(); int32_t L_21 = V_0; NullCheck(L_20); int32_t L_22 = L_21; RuntimeObject * L_23 = (L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_22)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 *)(&V_1), L_19, L_23, /*hidden argument*/NULL); RuntimeArray * L_24 = ___array0; DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_25 = V_1; DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_26 = L_25; RuntimeObject * L_27 = Box(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var, &L_26); int32_t L_28 = V_0; int32_t L_29 = ___arrayIndex1; NullCheck(L_24); Array_SetValue_m3C6811CE9C45D1E461404B5D2FBD4EC1A054FDCA(L_24, L_27, ((int32_t)il2cpp_codegen_add((int32_t)L_28, (int32_t)L_29)), /*hidden argument*/NULL); int32_t L_30 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_30, (int32_t)1)); } IL_0098: { int32_t L_31 = V_0; int32_t L_32 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)L_31) < ((int32_t)L_32))) { goto IL_006e; } } { return; } } // System.Void System.Collections.SortedList::EnsureCapacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_EnsureCapacity_m70B0336FC9612C2932F3CABF925355D4245D7C85 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___min0, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t G_B3_0 = 0; { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = __this->get_keys_0(); NullCheck(L_0); if (!(((RuntimeArray*)L_0)->max_length)) { goto IL_0015; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = __this->get_keys_0(); NullCheck(L_1); G_B3_0 = ((int32_t)il2cpp_codegen_multiply((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_1)->max_length)))), (int32_t)2)); goto IL_0017; } IL_0015: { G_B3_0 = ((int32_t)16); } IL_0017: { V_0 = G_B3_0; int32_t L_2 = V_0; if ((!(((uint32_t)L_2) > ((uint32_t)((int32_t)2146435071))))) { goto IL_0026; } } { V_0 = ((int32_t)2146435071); } IL_0026: { int32_t L_3 = V_0; int32_t L_4 = ___min0; if ((((int32_t)L_3) >= ((int32_t)L_4))) { goto IL_002c; } } { int32_t L_5 = ___min0; V_0 = L_5; } IL_002c: { int32_t L_6 = V_0; VirtActionInvoker1< int32_t >::Invoke(20 /* System.Void System.Collections.SortedList::set_Capacity(System.Int32) */, __this, L_6); return; } } // System.Object System.Collections.SortedList::GetByIndex(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedList_GetByIndex_m607E058040C2B336081FC368D6CEE51AE5D69957 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___index0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_GetByIndex_m607E058040C2B336081FC368D6CEE51AE5D69957_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___index0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000d; } } { int32_t L_1 = ___index0; int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)L_1) < ((int32_t)L_2))) { goto IL_0022; } } IL_000d: { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedList_GetByIndex_m607E058040C2B336081FC368D6CEE51AE5D69957_RuntimeMethod_var); } IL_0022: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get_values_1(); int32_t L_6 = ___index0; NullCheck(L_5); int32_t L_7 = L_6; RuntimeObject * L_8 = (L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)); return L_8; } } // System.Collections.IEnumerator System.Collections.SortedList::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_System_Collections_IEnumerable_GetEnumerator_mE8559C93A4F9E049FA398E5DF0635B5D4AE8FE5D (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_System_Collections_IEnumerable_GetEnumerator_mE8559C93A4F9E049FA398E5DF0635B5D4AE8FE5D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__size_2(); SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * L_1 = (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E *)il2cpp_codegen_object_new(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E_il2cpp_TypeInfo_var); SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B(L_1, __this, 0, L_0, 3, /*hidden argument*/NULL); return L_1; } } // System.Collections.IDictionaryEnumerator System.Collections.SortedList::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_GetEnumerator_mB2E4690D0E5C0303FBC478A7EE26B460AD07BB1F (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_GetEnumerator_mB2E4690D0E5C0303FBC478A7EE26B460AD07BB1F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__size_2(); SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * L_1 = (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E *)il2cpp_codegen_object_new(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E_il2cpp_TypeInfo_var); SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B(L_1, __this, 0, L_0, 3, /*hidden argument*/NULL); return L_1; } } // System.Object System.Collections.SortedList::GetKey(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedList_GetKey_m07A9F7D84DDBDC427636D5BAA4513C7E510006FC (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___index0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_GetKey_m07A9F7D84DDBDC427636D5BAA4513C7E510006FC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___index0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000d; } } { int32_t L_1 = ___index0; int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)L_1) < ((int32_t)L_2))) { goto IL_0022; } } IL_000d: { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedList_GetKey_m07A9F7D84DDBDC427636D5BAA4513C7E510006FC_RuntimeMethod_var); } IL_0022: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get_keys_0(); int32_t L_6 = ___index0; NullCheck(L_5); int32_t L_7 = L_6; RuntimeObject * L_8 = (L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)); return L_8; } } // System.Collections.IList System.Collections.SortedList::GetKeyList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_GetKeyList_mFF3E9309E5E865C2D164F4B5A32BC8CACA1A0A21 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_GetKeyList_mFF3E9309E5E865C2D164F4B5A32BC8CACA1A0A21_MetadataUsageId); s_Il2CppMethodInitialized = true; } { KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * L_0 = __this->get_keyList_5(); if (L_0) { goto IL_0014; } } { KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * L_1 = (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 *)il2cpp_codegen_object_new(KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388_il2cpp_TypeInfo_var); KeyList__ctor_mB06396E8F90655E4AF3E8622F4D7DFD036D85343(L_1, __this, /*hidden argument*/NULL); __this->set_keyList_5(L_1); } IL_0014: { KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * L_2 = __this->get_keyList_5(); return L_2; } } // System.Collections.IList System.Collections.SortedList::GetValueList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SortedList_GetValueList_m787668D1485A261E0052DD2661E1D0FB76C2A6BA (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_GetValueList_m787668D1485A261E0052DD2661E1D0FB76C2A6BA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * L_0 = __this->get_valueList_6(); if (L_0) { goto IL_0014; } } { ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * L_1 = (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE *)il2cpp_codegen_object_new(ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE_il2cpp_TypeInfo_var); ValueList__ctor_mB3711C4B350CD4F0FBE39FCC40DDF27A036E48FB(L_1, __this, /*hidden argument*/NULL); __this->set_valueList_6(L_1); } IL_0014: { ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * L_2 = __this->get_valueList_6(); return L_2; } } // System.Object System.Collections.SortedList::get_Item(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedList_get_Item_mBE431529DBE76359698228C82AF7FD034BA55D28 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; int32_t L_1 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(38 /* System.Int32 System.Collections.SortedList::IndexOfKey(System.Object) */, __this, L_0); V_0 = L_1; int32_t L_2 = V_0; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0015; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get_values_1(); int32_t L_4 = V_0; NullCheck(L_3); int32_t L_5 = L_4; RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); return L_6; } IL_0015: { return NULL; } } // System.Void System.Collections.SortedList::set_Item(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_set_Item_m070CA28A6691AB17E1A464BA43975503365EE0CC (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_set_Item_m070CA28A6691AB17E1A464BA43975503365EE0CC_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedList_set_Item_m070CA28A6691AB17E1A464BA43975503365EE0CC_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get_keys_0(); int32_t L_4 = __this->get__size_2(); RuntimeObject * L_5 = ___key0; RuntimeObject* L_6 = __this->get_comparer_4(); int32_t L_7 = Array_BinarySearch_m9DDEAE93E0F338A676E9FF7E97AAEFF8D009D32F((RuntimeArray *)(RuntimeArray *)L_3, 0, L_4, L_5, L_6, /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = V_0; if ((((int32_t)L_8) < ((int32_t)0))) { goto IL_004e; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = __this->get_values_1(); int32_t L_10 = V_0; RuntimeObject * L_11 = ___value1; NullCheck(L_9); ArrayElementTypeCheck (L_9, L_11); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (RuntimeObject *)L_11); int32_t L_12 = __this->get_version_3(); __this->set_version_3(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return; } IL_004e: { int32_t L_13 = V_0; RuntimeObject * L_14 = ___key0; RuntimeObject * L_15 = ___value1; SortedList_Insert_mDC41054D6440DF5AD4873ABB9D4F4583067B6287(__this, ((~L_13)), L_14, L_15, /*hidden argument*/NULL); return; } } // System.Int32 System.Collections.SortedList::IndexOfKey(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SortedList_IndexOfKey_m46FB7175A30C6A18230D8D0841DFF593E3D2425D (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_IndexOfKey_m46FB7175A30C6A18230D8D0841DFF593E3D2425D_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedList_IndexOfKey_m46FB7175A30C6A18230D8D0841DFF593E3D2425D_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get_keys_0(); int32_t L_4 = __this->get__size_2(); RuntimeObject * L_5 = ___key0; RuntimeObject* L_6 = __this->get_comparer_4(); int32_t L_7 = Array_BinarySearch_m9DDEAE93E0F338A676E9FF7E97AAEFF8D009D32F((RuntimeArray *)(RuntimeArray *)L_3, 0, L_4, L_5, L_6, /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = V_0; if ((((int32_t)L_8) >= ((int32_t)0))) { goto IL_0038; } } { return (-1); } IL_0038: { int32_t L_9 = V_0; return L_9; } } // System.Int32 System.Collections.SortedList::IndexOfValue(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SortedList_IndexOfValue_m75AD0951F7DB4214C945D4D1716F5F7EC953B115 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_IndexOfValue_m75AD0951F7DB4214C945D4D1716F5F7EC953B115_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = __this->get_values_1(); RuntimeObject * L_1 = ___value0; int32_t L_2 = __this->get__size_2(); int32_t L_3 = Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF(L_0, L_1, 0, L_2, /*hidden argument*/Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF_RuntimeMethod_var); return L_3; } } // System.Void System.Collections.SortedList::Insert(System.Int32,System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Insert_mDC41054D6440DF5AD4873ABB9D4F4583067B6287 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___index0, RuntimeObject * ___key1, RuntimeObject * ___value2, const RuntimeMethod* method) { { int32_t L_0 = __this->get__size_2(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = __this->get_keys_0(); NullCheck(L_1); if ((!(((uint32_t)L_0) == ((uint32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_1)->max_length)))))))) { goto IL_001e; } } { int32_t L_2 = __this->get__size_2(); SortedList_EnsureCapacity_m70B0336FC9612C2932F3CABF925355D4245D7C85(__this, ((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)1)), /*hidden argument*/NULL); } IL_001e: { int32_t L_3 = ___index0; int32_t L_4 = __this->get__size_2(); if ((((int32_t)L_3) >= ((int32_t)L_4))) { goto IL_0061; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = __this->get_keys_0(); int32_t L_6 = ___index0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = __this->get_keys_0(); int32_t L_8 = ___index0; int32_t L_9 = __this->get__size_2(); int32_t L_10 = ___index0; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_5, L_6, (RuntimeArray *)(RuntimeArray *)L_7, ((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1)), ((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)L_10)), /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = __this->get_values_1(); int32_t L_12 = ___index0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = __this->get_values_1(); int32_t L_14 = ___index0; int32_t L_15 = __this->get__size_2(); int32_t L_16 = ___index0; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_11, L_12, (RuntimeArray *)(RuntimeArray *)L_13, ((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1)), ((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)L_16)), /*hidden argument*/NULL); } IL_0061: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = __this->get_keys_0(); int32_t L_18 = ___index0; RuntimeObject * L_19 = ___key1; NullCheck(L_17); ArrayElementTypeCheck (L_17, L_19); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(L_18), (RuntimeObject *)L_19); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = __this->get_values_1(); int32_t L_21 = ___index0; RuntimeObject * L_22 = ___value2; NullCheck(L_20); ArrayElementTypeCheck (L_20, L_22); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_21), (RuntimeObject *)L_22); int32_t L_23 = __this->get__size_2(); __this->set__size_2(((int32_t)il2cpp_codegen_add((int32_t)L_23, (int32_t)1))); int32_t L_24 = __this->get_version_3(); __this->set_version_3(((int32_t)il2cpp_codegen_add((int32_t)L_24, (int32_t)1))); return; } } // System.Void System.Collections.SortedList::RemoveAt(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_RemoveAt_m5EB61F5A3B6D5DD93169325D7EEF41C34547813D (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, int32_t ___index0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_RemoveAt_m5EB61F5A3B6D5DD93169325D7EEF41C34547813D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___index0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000d; } } { int32_t L_1 = ___index0; int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, __this); if ((((int32_t)L_1) < ((int32_t)L_2))) { goto IL_0022; } } IL_000d: { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedList_RemoveAt_m5EB61F5A3B6D5DD93169325D7EEF41C34547813D_RuntimeMethod_var); } IL_0022: { int32_t L_5 = __this->get__size_2(); __this->set__size_2(((int32_t)il2cpp_codegen_subtract((int32_t)L_5, (int32_t)1))); int32_t L_6 = ___index0; int32_t L_7 = __this->get__size_2(); if ((((int32_t)L_6) >= ((int32_t)L_7))) { goto IL_0073; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = __this->get_keys_0(); int32_t L_9 = ___index0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = __this->get_keys_0(); int32_t L_11 = ___index0; int32_t L_12 = __this->get__size_2(); int32_t L_13 = ___index0; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_8, ((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)), (RuntimeArray *)(RuntimeArray *)L_10, L_11, ((int32_t)il2cpp_codegen_subtract((int32_t)L_12, (int32_t)L_13)), /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_14 = __this->get_values_1(); int32_t L_15 = ___index0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = __this->get_values_1(); int32_t L_17 = ___index0; int32_t L_18 = __this->get__size_2(); int32_t L_19 = ___index0; Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_14, ((int32_t)il2cpp_codegen_add((int32_t)L_15, (int32_t)1)), (RuntimeArray *)(RuntimeArray *)L_16, L_17, ((int32_t)il2cpp_codegen_subtract((int32_t)L_18, (int32_t)L_19)), /*hidden argument*/NULL); } IL_0073: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = __this->get_keys_0(); int32_t L_21 = __this->get__size_2(); NullCheck(L_20); ArrayElementTypeCheck (L_20, NULL); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_21), (RuntimeObject *)NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_22 = __this->get_values_1(); int32_t L_23 = __this->get__size_2(); NullCheck(L_22); ArrayElementTypeCheck (L_22, NULL); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(L_23), (RuntimeObject *)NULL); int32_t L_24 = __this->get_version_3(); __this->set_version_3(((int32_t)il2cpp_codegen_add((int32_t)L_24, (int32_t)1))); return; } } // System.Void System.Collections.SortedList::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList_Remove_m4CA50E9E99A0D8B74C3E47A5C76F949BCDE4FAD8 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; int32_t L_1 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(38 /* System.Int32 System.Collections.SortedList::IndexOfKey(System.Object) */, __this, L_0); V_0 = L_1; int32_t L_2 = V_0; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0013; } } { int32_t L_3 = V_0; VirtActionInvoker1< int32_t >::Invoke(40 /* System.Void System.Collections.SortedList::RemoveAt(System.Int32) */, __this, L_3); } IL_0013: { return; } } // System.Collections.SortedList System.Collections.SortedList::Synchronized(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * SortedList_Synchronized_mA6FCDAC41F1DABC16B721C5D8E61374689A19458 (SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___list0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList_Synchronized_mA6FCDAC41F1DABC16B721C5D8E61374689A19458_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = ___list0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral38B62BE4BDDAA5661C7D6B8E36E28159314DF5C7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, SortedList_Synchronized_mA6FCDAC41F1DABC16B721C5D8E61374689A19458_RuntimeMethod_var); } IL_000e: { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = ___list0; SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * L_3 = (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 *)il2cpp_codegen_object_new(SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78_il2cpp_TypeInfo_var); SyncSortedList__ctor_mB40704E91760DC82374A9112ACB76744F60ED2E2(L_3, L_2, /*hidden argument*/NULL); return L_3; } } // System.Void System.Collections.SortedList::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedList__cctor_m6A728310AF9D3D2330C935724E8B7D211A5EC016 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedList__cctor_m6A728310AF9D3D2330C935724E8B7D211A5EC016_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_il2cpp_TypeInfo_var); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ((EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields*)il2cpp_codegen_static_fields_for(EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_il2cpp_TypeInfo_var))->get_Value_0(); ((SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_StaticFields*)il2cpp_codegen_static_fields_for(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var))->set_emptyArray_8(L_0); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.SortedList_KeyList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList__ctor_mB06396E8F90655E4AF3E8622F4D7DFD036D85343 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = ___sortedList0; __this->set_sortedList_0(L_0); return; } } // System.Int32 System.Collections.SortedList_KeyList::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyList_get_Count_m3914122FD55DAC497A680FEAF88D6E134CFAF68A (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); NullCheck(L_0); int32_t L_1 = L_0->get__size_2(); return L_1; } } // System.Boolean System.Collections.SortedList_KeyList::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool KeyList_get_IsReadOnly_m4399EAAB123DA470DD8792896139169206A38FA7 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { { return (bool)1; } } // System.Boolean System.Collections.SortedList_KeyList::get_IsFixedSize() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool KeyList_get_IsFixedSize_mAD45494CB33DFEB0C0E4FBA788D738EAAE2C682C (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { { return (bool)1; } } // System.Object System.Collections.SortedList_KeyList::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyList_get_SyncRoot_mB5E42F38F3AF65326E23629C1B0B52BF9A45F73A (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(25 /* System.Object System.Collections.SortedList::get_SyncRoot() */, L_0); return L_1; } } // System.Int32 System.Collections.SortedList_KeyList::Add(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyList_Add_mA0474AD4AE2DBE6A79C73581D8953D8FA2E49CC5 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_Add_mA0474AD4AE2DBE6A79C73581D8953D8FA2E49CC5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_Add_mA0474AD4AE2DBE6A79C73581D8953D8FA2E49CC5_RuntimeMethod_var); } } // System.Void System.Collections.SortedList_KeyList::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_Clear_m4FD28BADB113D1236A2EEBCCFF261CC3A07A35F4 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_Clear_m4FD28BADB113D1236A2EEBCCFF261CC3A07A35F4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_Clear_m4FD28BADB113D1236A2EEBCCFF261CC3A07A35F4_RuntimeMethod_var); } } // System.Boolean System.Collections.SortedList_KeyList::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool KeyList_Contains_m3FA0C0B2CB8E36F092C74F3EAF53F327F227AE2C (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); RuntimeObject * L_1 = ___key0; NullCheck(L_0); bool L_2 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(28 /* System.Boolean System.Collections.SortedList::Contains(System.Object) */, L_0, L_1); return L_2; } } // System.Void System.Collections.SortedList_KeyList::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_CopyTo_m8DC7C8536F2D2E94FFDF9F5AE722AB162268949B (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_CopyTo_m8DC7C8536F2D2E94FFDF9F5AE722AB162268949B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeArray * L_0 = ___array0; if (!L_0) { goto IL_001c; } } { RuntimeArray * L_1 = ___array0; NullCheck(L_1); int32_t L_2 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_1, /*hidden argument*/NULL); if ((((int32_t)L_2) == ((int32_t)1))) { goto IL_001c; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, KeyList_CopyTo_m8DC7C8536F2D2E94FFDF9F5AE722AB162268949B_RuntimeMethod_var); } IL_001c: { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_5 = __this->get_sortedList_0(); NullCheck(L_5); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = L_5->get_keys_0(); RuntimeArray * L_7 = ___array0; int32_t L_8 = ___arrayIndex1; SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_9 = __this->get_sortedList_0(); NullCheck(L_9); int32_t L_10 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_9); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_6, 0, L_7, L_8, L_10, /*hidden argument*/NULL); return; } } // System.Void System.Collections.SortedList_KeyList::Insert(System.Int32,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_Insert_mD4D820CE07B12689310D9B02553BEF129F4979E0 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, int32_t ___index0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_Insert_mD4D820CE07B12689310D9B02553BEF129F4979E0_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_Insert_mD4D820CE07B12689310D9B02553BEF129F4979E0_RuntimeMethod_var); } } // System.Object System.Collections.SortedList_KeyList::get_Item(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyList_get_Item_mE3E35F1AC19F9EC02F3A420E61F9278462755CFA (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, int32_t ___index0, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); int32_t L_1 = ___index0; NullCheck(L_0); RuntimeObject * L_2 = VirtFuncInvoker1< RuntimeObject *, int32_t >::Invoke(33 /* System.Object System.Collections.SortedList::GetKey(System.Int32) */, L_0, L_1); return L_2; } } // System.Void System.Collections.SortedList_KeyList::set_Item(System.Int32,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_set_Item_mD11AABAAC1E1D094A7AD2183429EB79582BDA945 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, int32_t ___index0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_set_Item_mD11AABAAC1E1D094A7AD2183429EB79582BDA945_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralBCA799238FFD9062EADADF1671BF7042DB42CF92, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_set_Item_mD11AABAAC1E1D094A7AD2183429EB79582BDA945_RuntimeMethod_var); } } // System.Collections.IEnumerator System.Collections.SortedList_KeyList::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* KeyList_GetEnumerator_m4742596694F3C4D7698F098B5AE58A4C01846AB1 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_GetEnumerator_m4742596694F3C4D7698F098B5AE58A4C01846AB1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_1); SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * L_3 = (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E *)il2cpp_codegen_object_new(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E_il2cpp_TypeInfo_var); SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B(L_3, L_0, 0, L_2, 1, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Collections.SortedList_KeyList::IndexOf(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyList_IndexOf_m4989B93B8C4A9125C1C4706A157A397AEF313DD8 (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_IndexOf_m4989B93B8C4A9125C1C4706A157A397AEF313DD8_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, KeyList_IndexOf_m4989B93B8C4A9125C1C4706A157A397AEF313DD8_RuntimeMethod_var); } IL_0018: { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_3 = __this->get_sortedList_0(); NullCheck(L_3); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = L_3->get_keys_0(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_5 = __this->get_sortedList_0(); NullCheck(L_5); int32_t L_6 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_5); RuntimeObject * L_7 = ___key0; SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_8 = __this->get_sortedList_0(); NullCheck(L_8); RuntimeObject* L_9 = L_8->get_comparer_4(); int32_t L_10 = Array_BinarySearch_m9DDEAE93E0F338A676E9FF7E97AAEFF8D009D32F((RuntimeArray *)(RuntimeArray *)L_4, 0, L_6, L_7, L_9, /*hidden argument*/NULL); V_0 = L_10; int32_t L_11 = V_0; if ((((int32_t)L_11) < ((int32_t)0))) { goto IL_0047; } } { int32_t L_12 = V_0; return L_12; } IL_0047: { return (-1); } } // System.Void System.Collections.SortedList_KeyList::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_Remove_m9680EA54CFF0F33A6EA3C7E1F6BBC9A579DE361F (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_Remove_m9680EA54CFF0F33A6EA3C7E1F6BBC9A579DE361F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_Remove_m9680EA54CFF0F33A6EA3C7E1F6BBC9A579DE361F_RuntimeMethod_var); } } // System.Void System.Collections.SortedList_KeyList::RemoveAt(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyList_RemoveAt_m5F429F5C66F066286F24749AB0D4431401277A9C (KeyList_t3FD2386C1305D84BFBBD5BE5583CB239B98BA388 * __this, int32_t ___index0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (KeyList_RemoveAt_m5F429F5C66F066286F24749AB0D4431401277A9C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, KeyList_RemoveAt_m5F429F5C66F066286F24749AB0D4431401277A9C_RuntimeMethod_var); } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.SortedList_SortedListEnumerator::.ctor(System.Collections.SortedList,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, int32_t ___index1, int32_t ___count2, int32_t ___getObjRetType3, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = ___sortedList0; __this->set_sortedList_0(L_0); int32_t L_1 = ___index1; __this->set_index_3(L_1); int32_t L_2 = ___index1; __this->set_startIndex_4(L_2); int32_t L_3 = ___index1; int32_t L_4 = ___count2; __this->set_endIndex_5(((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)L_4))); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_5 = ___sortedList0; NullCheck(L_5); int32_t L_6 = L_5->get_version_3(); __this->set_version_6(L_6); int32_t L_7 = ___getObjRetType3; __this->set_getObjectRetType_8(L_7); __this->set_current_7((bool)0); return; } } // System.Object System.Collections.SortedList_SortedListEnumerator::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedListEnumerator_Clone_mCDD985F3FA021A7105B1690CE22EE0B38FEDCC99 (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = Object_MemberwiseClone_m1DAC4538CD68D4CF4DC5B04E4BBE86D470948B28(__this, /*hidden argument*/NULL); return L_0; } } // System.Object System.Collections.SortedList_SortedListEnumerator::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_6(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E_RuntimeMethod_var); } IL_0023: { bool L_5 = __this->get_current_7(); if (L_5) { goto IL_003b; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_7 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, SortedListEnumerator_get_Key_mDE6E5D038A0212BB14DCBB9D73F831233EAC826E_RuntimeMethod_var); } IL_003b: { RuntimeObject * L_8 = __this->get_key_1(); return L_8; } } // System.Boolean System.Collections.SortedList_SortedListEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SortedListEnumerator_MoveNext_m9E4024F4C87D1FE851B86685062E1EB389D56266 (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_MoveNext_m9E4024F4C87D1FE851B86685062E1EB389D56266_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_6(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedListEnumerator_MoveNext_m9E4024F4C87D1FE851B86685062E1EB389D56266_RuntimeMethod_var); } IL_0023: { int32_t L_5 = __this->get_index_3(); int32_t L_6 = __this->get_endIndex_5(); if ((((int32_t)L_5) >= ((int32_t)L_6))) { goto IL_0078; } } { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_7 = __this->get_sortedList_0(); NullCheck(L_7); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = L_7->get_keys_0(); int32_t L_9 = __this->get_index_3(); NullCheck(L_8); int32_t L_10 = L_9; RuntimeObject * L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_key_1(L_11); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_12 = __this->get_sortedList_0(); NullCheck(L_12); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = L_12->get_values_1(); int32_t L_14 = __this->get_index_3(); NullCheck(L_13); int32_t L_15 = L_14; RuntimeObject * L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); __this->set_value_2(L_16); int32_t L_17 = __this->get_index_3(); __this->set_index_3(((int32_t)il2cpp_codegen_add((int32_t)L_17, (int32_t)1))); __this->set_current_7((bool)1); return (bool)1; } IL_0078: { __this->set_key_1(NULL); __this->set_value_2(NULL); __this->set_current_7((bool)0); return (bool)0; } } // System.Collections.DictionaryEntry System.Collections.SortedList_SortedListEnumerator::get_Entry() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_6(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E_RuntimeMethod_var); } IL_0023: { bool L_5 = __this->get_current_7(); if (L_5) { goto IL_003b; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_7 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, SortedListEnumerator_get_Entry_mEDCBB15F075D7D79709D37B9EB395F39252C253E_RuntimeMethod_var); } IL_003b: { RuntimeObject * L_8 = __this->get_key_1(); RuntimeObject * L_9 = __this->get_value_2(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_10; memset((&L_10), 0, sizeof(L_10)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_10), L_8, L_9, /*hidden argument*/NULL); return L_10; } } // System.Object System.Collections.SortedList_SortedListEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedListEnumerator_get_Current_mD1C66071084DE980DC97EABCE7BFBCCF96066120 (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_get_Current_mD1C66071084DE980DC97EABCE7BFBCCF96066120_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = __this->get_current_7(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SortedListEnumerator_get_Current_mD1C66071084DE980DC97EABCE7BFBCCF96066120_RuntimeMethod_var); } IL_0018: { int32_t L_3 = __this->get_getObjectRetType_8(); if ((!(((uint32_t)L_3) == ((uint32_t)1)))) { goto IL_0028; } } { RuntimeObject * L_4 = __this->get_key_1(); return L_4; } IL_0028: { int32_t L_5 = __this->get_getObjectRetType_8(); if ((!(((uint32_t)L_5) == ((uint32_t)2)))) { goto IL_0038; } } { RuntimeObject * L_6 = __this->get_value_2(); return L_6; } IL_0038: { RuntimeObject * L_7 = __this->get_key_1(); RuntimeObject * L_8 = __this->get_value_2(); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_9; memset((&L_9), 0, sizeof(L_9)); DictionaryEntry__ctor_m67BC38CD2B85F134F3EB2473270CDD3933F7CD9B((&L_9), L_7, L_8, /*hidden argument*/NULL); DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_10 = L_9; RuntimeObject * L_11 = Box(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_il2cpp_TypeInfo_var, &L_10); return L_11; } } // System.Object System.Collections.SortedList_SortedListEnumerator::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14 (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_6(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14_RuntimeMethod_var); } IL_0023: { bool L_5 = __this->get_current_7(); if (L_5) { goto IL_003b; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_7 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, SortedListEnumerator_get_Value_mA1FF92895EE42234163A72D61DA3D6CF6C642C14_RuntimeMethod_var); } IL_003b: { RuntimeObject * L_8 = __this->get_value_2(); return L_8; } } // System.Void System.Collections.SortedList_SortedListEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SortedListEnumerator_Reset_mA0ACBEBFF0955F4BF3B6CA08C028361AE993C1A4 (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SortedListEnumerator_Reset_mA0ACBEBFF0955F4BF3B6CA08C028361AE993C1A4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get_version_6(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = L_1->get_version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, SortedListEnumerator_Reset_mA0ACBEBFF0955F4BF3B6CA08C028361AE993C1A4_RuntimeMethod_var); } IL_0023: { int32_t L_5 = __this->get_startIndex_4(); __this->set_index_3(L_5); __this->set_current_7((bool)0); __this->set_key_1(NULL); __this->set_value_2(NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.SortedList_SyncSortedList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList__ctor_mB40704E91760DC82374A9112ACB76744F60ED2E2 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___list0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncSortedList__ctor_mB40704E91760DC82374A9112ACB76744F60ED2E2_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E_il2cpp_TypeInfo_var); SortedList__ctor_mBF1B7B8D37D3C752EA3F9FA173076B9478A35CEE(__this, /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = ___list0; __this->set__list_9(L_0); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = ___list0; NullCheck(L_1); RuntimeObject * L_2 = VirtFuncInvoker0< RuntimeObject * >::Invoke(25 /* System.Object System.Collections.SortedList::get_SyncRoot() */, L_1); __this->set__root_10(L_2); return; } } // System.Int32 System.Collections.SortedList_SyncSortedList::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SyncSortedList_get_Count_m861374BE3B62F25D4BDA438815C3F8D1EF3B4B99 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; int32_t V_2 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { int32_t L_6 = V_2; return L_6; } } // System.Object System.Collections.SortedList_SyncSortedList::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncSortedList_get_SyncRoot_mEE5A9348E3815D62AE55DC0E6839FFFFA51447EE (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = __this->get__root_10(); return L_0; } } // System.Boolean System.Collections.SortedList_SyncSortedList::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncSortedList_get_IsReadOnly_m2E4EA022FDD57311EE1599F77A889053F3D3E254 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get__list_9(); NullCheck(L_0); bool L_1 = VirtFuncInvoker0< bool >::Invoke(24 /* System.Boolean System.Collections.SortedList::get_IsReadOnly() */, L_0); return L_1; } } // System.Object System.Collections.SortedList_SyncSortedList::get_Item(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncSortedList_get_Item_mCE19993D4332AEF3C66E1AB487D466FD196641A3 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; NullCheck(L_2); RuntimeObject * L_4 = VirtFuncInvoker1< RuntimeObject *, RuntimeObject * >::Invoke(36 /* System.Object System.Collections.SortedList::get_Item(System.Object) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { RuntimeObject * L_7 = V_2; return L_7; } } // System.Void System.Collections.SortedList_SyncSortedList::set_Item(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_set_Item_mF63E1085A767FBD35E99BD3B9E89A36691E245AB (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; RuntimeObject * L_4 = ___value1; NullCheck(L_2); VirtActionInvoker2< RuntimeObject *, RuntimeObject * >::Invoke(37 /* System.Void System.Collections.SortedList::set_Item(System.Object,System.Object) */, L_2, L_3, L_4); IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { return; } } // System.Void System.Collections.SortedList_SyncSortedList::Add(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_Add_mD4F7A843420529BC893A4747E99DC6DA1C011A06 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; RuntimeObject * L_4 = ___value1; NullCheck(L_2); VirtActionInvoker2< RuntimeObject *, RuntimeObject * >::Invoke(18 /* System.Void System.Collections.SortedList::Add(System.Object,System.Object) */, L_2, L_3, L_4); IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { return; } } // System.Int32 System.Collections.SortedList_SyncSortedList::get_Capacity() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SyncSortedList_get_Capacity_mFA93FFB07A800A3A24E258A420D5E32129D26C0B (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; int32_t V_2 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(19 /* System.Int32 System.Collections.SortedList::get_Capacity() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { int32_t L_6 = V_2; return L_6; } } // System.Void System.Collections.SortedList_SyncSortedList::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_Clear_m7483BCC472FF10D66125049DB1E1ECC818FE7648 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); VirtActionInvoker0::Invoke(26 /* System.Void System.Collections.SortedList::Clear() */, L_2); IL2CPP_LEAVE(0x28, FINALLY_001e); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001e; } FINALLY_001e: { // begin finally (depth: 1) { bool L_3 = V_1; if (!L_3) { goto IL_0027; } } IL_0021: { RuntimeObject * L_4 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_4, /*hidden argument*/NULL); } IL_0027: { IL2CPP_END_FINALLY(30) } } // end finally (depth: 1) IL2CPP_CLEANUP(30) { IL2CPP_JUMP_TBL(0x28, IL_0028) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0028: { return; } } // System.Object System.Collections.SortedList_SyncSortedList::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncSortedList_Clone_m43670A19FAF0CDBEBD605FAFF3F6346C72650CBC (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); RuntimeObject * L_3 = VirtFuncInvoker0< RuntimeObject * >::Invoke(27 /* System.Object System.Collections.SortedList::Clone() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { RuntimeObject * L_6 = V_2; return L_6; } } // System.Boolean System.Collections.SortedList_SyncSortedList::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncSortedList_Contains_m433F63EEF56FA95C3C776C52B2E690DB223A2930 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; bool V_2 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; NullCheck(L_2); bool L_4 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(28 /* System.Boolean System.Collections.SortedList::Contains(System.Object) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { bool L_7 = V_2; return L_7; } } // System.Boolean System.Collections.SortedList_SyncSortedList::ContainsValue(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SyncSortedList_ContainsValue_mC18C54A4ACFE162D58D9F12B427ABD026F4905AE (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; bool V_2 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; NullCheck(L_2); bool L_4 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(29 /* System.Boolean System.Collections.SortedList::ContainsValue(System.Object) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { bool L_7 = V_2; return L_7; } } // System.Void System.Collections.SortedList_SyncSortedList::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_CopyTo_m9D0D17F07D2EF28C5FCCAFE9C259B8C31E17471C (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeArray * L_3 = ___array0; int32_t L_4 = ___index1; NullCheck(L_2); VirtActionInvoker2< RuntimeArray *, int32_t >::Invoke(30 /* System.Void System.Collections.SortedList::CopyTo(System.Array,System.Int32) */, L_2, L_3, L_4); IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { return; } } // System.Object System.Collections.SortedList_SyncSortedList::GetByIndex(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncSortedList_GetByIndex_mF0C465773F7D5344921F53E1C37A6C2564B9851F (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, int32_t ___index0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); int32_t L_3 = ___index0; NullCheck(L_2); RuntimeObject * L_4 = VirtFuncInvoker1< RuntimeObject *, int32_t >::Invoke(31 /* System.Object System.Collections.SortedList::GetByIndex(System.Int32) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { RuntimeObject * L_7 = V_2; return L_7; } } // System.Collections.IDictionaryEnumerator System.Collections.SortedList_SyncSortedList::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncSortedList_GetEnumerator_m6E2ECF75F299F3A87C7A7BE02E98873599657A39 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject* V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); RuntimeObject* L_3 = VirtFuncInvoker0< RuntimeObject* >::Invoke(32 /* System.Collections.IDictionaryEnumerator System.Collections.SortedList::GetEnumerator() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { RuntimeObject* L_6 = V_2; return L_6; } } // System.Object System.Collections.SortedList_SyncSortedList::GetKey(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SyncSortedList_GetKey_mB0B87DE353AF6012A7EC4A17C8E6D9CA36069C56 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, int32_t ___index0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); int32_t L_3 = ___index0; NullCheck(L_2); RuntimeObject * L_4 = VirtFuncInvoker1< RuntimeObject *, int32_t >::Invoke(33 /* System.Object System.Collections.SortedList::GetKey(System.Int32) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { RuntimeObject * L_7 = V_2; return L_7; } } // System.Collections.IList System.Collections.SortedList_SyncSortedList::GetKeyList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncSortedList_GetKeyList_m20CB5685067C285C292A1F82E4BD5A3628FB3C87 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject* V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); RuntimeObject* L_3 = VirtFuncInvoker0< RuntimeObject* >::Invoke(34 /* System.Collections.IList System.Collections.SortedList::GetKeyList() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { RuntimeObject* L_6 = V_2; return L_6; } } // System.Collections.IList System.Collections.SortedList_SyncSortedList::GetValueList() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* SyncSortedList_GetValueList_mD62EF1C841CF3131002511C1DBBA7691EB06EFC0 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; RuntimeObject* V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); NullCheck(L_2); RuntimeObject* L_3 = VirtFuncInvoker0< RuntimeObject* >::Invoke(35 /* System.Collections.IList System.Collections.SortedList::GetValueList() */, L_2); V_2 = L_3; IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { RuntimeObject* L_6 = V_2; return L_6; } } // System.Int32 System.Collections.SortedList_SyncSortedList::IndexOfKey(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SyncSortedList_IndexOfKey_m15C2D437CF0DC94819E808B7D7930EFC03E8AE10 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SyncSortedList_IndexOfKey_m15C2D437CF0DC94819E808B7D7930EFC03E8AE10_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject * V_0 = NULL; bool V_1 = false; int32_t V_2 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = ___key0; if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98A43F4A61E5F8CB2761446121B52AAF147D0C04, /*hidden argument*/NULL); ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m9EA692D49986AEBAC433CE3381331146109AE20F(L_2, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, SyncSortedList_IndexOfKey_m15C2D437CF0DC94819E808B7D7930EFC03E8AE10_RuntimeMethod_var); } IL_0018: { RuntimeObject * L_3 = __this->get__root_10(); V_0 = L_3; V_1 = (bool)0; } IL_0021: try { // begin try (depth: 1) RuntimeObject * L_4 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_4, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_5 = __this->get__list_9(); RuntimeObject * L_6 = ___key0; NullCheck(L_5); int32_t L_7 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(38 /* System.Int32 System.Collections.SortedList::IndexOfKey(System.Object) */, L_5, L_6); V_2 = L_7; IL2CPP_LEAVE(0x42, FINALLY_0038); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0038; } FINALLY_0038: { // begin finally (depth: 1) { bool L_8 = V_1; if (!L_8) { goto IL_0041; } } IL_003b: { RuntimeObject * L_9 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_9, /*hidden argument*/NULL); } IL_0041: { IL2CPP_END_FINALLY(56) } } // end finally (depth: 1) IL2CPP_CLEANUP(56) { IL2CPP_JUMP_TBL(0x42, IL_0042) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0042: { int32_t L_10 = V_2; return L_10; } } // System.Int32 System.Collections.SortedList_SyncSortedList::IndexOfValue(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SyncSortedList_IndexOfValue_m8EEE1EA84640DE9A346F1F2CE2C6224A3E952954 (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; int32_t V_2 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___value0; NullCheck(L_2); int32_t L_4 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(39 /* System.Int32 System.Collections.SortedList::IndexOfValue(System.Object) */, L_2, L_3); V_2 = L_4; IL2CPP_LEAVE(0x2A, FINALLY_0020); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_0020; } FINALLY_0020: { // begin finally (depth: 1) { bool L_5 = V_1; if (!L_5) { goto IL_0029; } } IL_0023: { RuntimeObject * L_6 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL); } IL_0029: { IL2CPP_END_FINALLY(32) } } // end finally (depth: 1) IL2CPP_CLEANUP(32) { IL2CPP_JUMP_TBL(0x2A, IL_002a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_002a: { int32_t L_7 = V_2; return L_7; } } // System.Void System.Collections.SortedList_SyncSortedList::RemoveAt(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_RemoveAt_m29D376438AD9947184B4A1E3C0E551B53E47C2DC (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, int32_t ___index0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); int32_t L_3 = ___index0; NullCheck(L_2); VirtActionInvoker1< int32_t >::Invoke(40 /* System.Void System.Collections.SortedList::RemoveAt(System.Int32) */, L_2, L_3); IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { return; } } // System.Void System.Collections.SortedList_SyncSortedList::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SyncSortedList_Remove_m08C77A1E3C311F0F7F2279F22752B4D7D3568FCC (SyncSortedList_tB44BB16CB6BCCA12B85A512D39EAF980ED97DD78 * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; bool V_1 = false; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeObject * L_0 = __this->get__root_10(); V_0 = L_0; V_1 = (bool)0; } IL_0009: try { // begin try (depth: 1) RuntimeObject * L_1 = V_0; Monitor_Enter_mC5B353DD83A0B0155DF6FBCC4DF5A580C25534C5(L_1, (bool*)(&V_1), /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_2 = __this->get__list_9(); RuntimeObject * L_3 = ___key0; NullCheck(L_2); VirtActionInvoker1< RuntimeObject * >::Invoke(41 /* System.Void System.Collections.SortedList::Remove(System.Object) */, L_2, L_3); IL2CPP_LEAVE(0x29, FINALLY_001f); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t *)e.ex; goto FINALLY_001f; } FINALLY_001f: { // begin finally (depth: 1) { bool L_4 = V_1; if (!L_4) { goto IL_0028; } } IL_0022: { RuntimeObject * L_5 = V_0; Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL); } IL_0028: { IL2CPP_END_FINALLY(31) } } // end finally (depth: 1) IL2CPP_CLEANUP(31) { IL2CPP_JUMP_TBL(0x29, IL_0029) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *) } IL_0029: { return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.SortedList_ValueList::.ctor(System.Collections.SortedList) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList__ctor_mB3711C4B350CD4F0FBE39FCC40DDF27A036E48FB (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * ___sortedList0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = ___sortedList0; __this->set_sortedList_0(L_0); return; } } // System.Int32 System.Collections.SortedList_ValueList::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ValueList_get_Count_m227641658468A24AB69FEFA56C15F22020290127 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); NullCheck(L_0); int32_t L_1 = L_0->get__size_2(); return L_1; } } // System.Boolean System.Collections.SortedList_ValueList::get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ValueList_get_IsReadOnly_m3DDBD72FDD3F75BA8E1BB0AE953A4EAE3007DE84 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { { return (bool)1; } } // System.Boolean System.Collections.SortedList_ValueList::get_IsFixedSize() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ValueList_get_IsFixedSize_m78B154D48428D8475AE9D2059532F5E72D579139 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { { return (bool)1; } } // System.Object System.Collections.SortedList_ValueList::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ValueList_get_SyncRoot_m3E9DDC776C542E7E0611E3A7A070567124184511 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); NullCheck(L_0); RuntimeObject * L_1 = VirtFuncInvoker0< RuntimeObject * >::Invoke(25 /* System.Object System.Collections.SortedList::get_SyncRoot() */, L_0); return L_1; } } // System.Int32 System.Collections.SortedList_ValueList::Add(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ValueList_Add_mB8794C295CC62AB35096EE27A481E8A30BD30B04 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, RuntimeObject * ___key0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_Add_mB8794C295CC62AB35096EE27A481E8A30BD30B04_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_Add_mB8794C295CC62AB35096EE27A481E8A30BD30B04_RuntimeMethod_var); } } // System.Void System.Collections.SortedList_ValueList::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_Clear_m9753CB2AF143162A597E97279F99FEF687A06C07 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_Clear_m9753CB2AF143162A597E97279F99FEF687A06C07_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_Clear_m9753CB2AF143162A597E97279F99FEF687A06C07_RuntimeMethod_var); } } // System.Boolean System.Collections.SortedList_ValueList::Contains(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ValueList_Contains_m6F0792CE746E0615524513A3706FCDE7E850B78A (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); RuntimeObject * L_1 = ___value0; NullCheck(L_0); bool L_2 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(29 /* System.Boolean System.Collections.SortedList::ContainsValue(System.Object) */, L_0, L_1); return L_2; } } // System.Void System.Collections.SortedList_ValueList::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_CopyTo_mB6C4D3E38A405F02D80EC5CE18E246D3D447AA19 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, RuntimeArray * ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_CopyTo_mB6C4D3E38A405F02D80EC5CE18E246D3D447AA19_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeArray * L_0 = ___array0; if (!L_0) { goto IL_001c; } } { RuntimeArray * L_1 = ___array0; NullCheck(L_1); int32_t L_2 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_1, /*hidden argument*/NULL); if ((((int32_t)L_2) == ((int32_t)1))) { goto IL_001c; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, ValueList_CopyTo_mB6C4D3E38A405F02D80EC5CE18E246D3D447AA19_RuntimeMethod_var); } IL_001c: { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_5 = __this->get_sortedList_0(); NullCheck(L_5); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = L_5->get_values_1(); RuntimeArray * L_7 = ___array0; int32_t L_8 = ___arrayIndex1; SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_9 = __this->get_sortedList_0(); NullCheck(L_9); int32_t L_10 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_9); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_6, 0, L_7, L_8, L_10, /*hidden argument*/NULL); return; } } // System.Void System.Collections.SortedList_ValueList::Insert(System.Int32,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_Insert_m28C14D2292C26CEEA93F4C1DC8DF5FE1807AEE53 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, int32_t ___index0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_Insert_m28C14D2292C26CEEA93F4C1DC8DF5FE1807AEE53_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_Insert_m28C14D2292C26CEEA93F4C1DC8DF5FE1807AEE53_RuntimeMethod_var); } } // System.Object System.Collections.SortedList_ValueList::get_Item(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * ValueList_get_Item_m3A8374EB01BB0A870749D35DC7AB92C05A632B70 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, int32_t ___index0, const RuntimeMethod* method) { { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); int32_t L_1 = ___index0; NullCheck(L_0); RuntimeObject * L_2 = VirtFuncInvoker1< RuntimeObject *, int32_t >::Invoke(31 /* System.Object System.Collections.SortedList::GetByIndex(System.Int32) */, L_0, L_1); return L_2; } } // System.Void System.Collections.SortedList_ValueList::set_Item(System.Int32,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_set_Item_mCAB63AA0CB69814B3973E323C78EBD8BD4BEACCB (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, int32_t ___index0, RuntimeObject * ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_set_Item_mCAB63AA0CB69814B3973E323C78EBD8BD4BEACCB_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_set_Item_mCAB63AA0CB69814B3973E323C78EBD8BD4BEACCB_RuntimeMethod_var); } } // System.Collections.IEnumerator System.Collections.SortedList_ValueList::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ValueList_GetEnumerator_m64247109B74752BEC8B6A96092D21D8573E459C1 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_GetEnumerator_m64247109B74752BEC8B6A96092D21D8573E459C1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_1 = __this->get_sortedList_0(); NullCheck(L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_1); SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E * L_3 = (SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E *)il2cpp_codegen_object_new(SortedListEnumerator_t0B3C08255F72412FF007E1CEBA45EEFAED17443E_il2cpp_TypeInfo_var); SortedListEnumerator__ctor_m91F6FB1020A030036AE45501806206DE3695568B(L_3, L_0, 0, L_2, 2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Collections.SortedList_ValueList::IndexOf(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ValueList_IndexOf_m98F72D41D170C0F3C874FB0E6549885CF33562DE (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_IndexOf_m98F72D41D170C0F3C874FB0E6549885CF33562DE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_0 = __this->get_sortedList_0(); NullCheck(L_0); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0->get_values_1(); RuntimeObject * L_2 = ___value0; SortedList_tC8B7CDE75652EC657C510034F127B9DFDE16BF4E * L_3 = __this->get_sortedList_0(); NullCheck(L_3); int32_t L_4 = VirtFuncInvoker0< int32_t >::Invoke(21 /* System.Int32 System.Collections.SortedList::get_Count() */, L_3); int32_t L_5 = Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF(L_1, L_2, 0, L_4, /*hidden argument*/Array_IndexOf_TisRuntimeObject_mAA3A139827BE306C01514EBF4F21041FC2285EAF_RuntimeMethod_var); return L_5; } } // System.Void System.Collections.SortedList_ValueList::Remove(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_Remove_mA2FEB0A0A2022DA19689374C7232CB5161AFF49D (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_Remove_mA2FEB0A0A2022DA19689374C7232CB5161AFF49D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_Remove_mA2FEB0A0A2022DA19689374C7232CB5161AFF49D_RuntimeMethod_var); } } // System.Void System.Collections.SortedList_ValueList::RemoveAt(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ValueList_RemoveAt_m35113DF97CC414BD1312E65EB0F58BACF60D87C1 (ValueList_t1BBC0BAD9C26EB4899C4AB1509C3890E805D2EFE * __this, int32_t ___index0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ValueList_RemoveAt_m35113DF97CC414BD1312E65EB0F58BACF60D87C1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral885F50DCFD6542D03A37B7DE40CFBAEB00164500, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, ValueList_RemoveAt_m35113DF97CC414BD1312E65EB0F58BACF60D87C1_RuntimeMethod_var); } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Stack::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack__ctor_m98F99FFBF373762F139506711349267D5354FE08 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack__ctor_m98F99FFBF373762F139506711349267D5354FE08_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)((int32_t)10)); __this->set__array_0(L_0); __this->set__size_1(0); __this->set__version_2(0); return; } } // System.Void System.Collections.Stack::.ctor(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, int32_t ___initialCapacity0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); int32_t L_0 = ___initialCapacity0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001f; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_2, _stringLiteral4C28A7D98B2E79E88DB5793B92CAC2973807E234, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193_RuntimeMethod_var); } IL_001f: { int32_t L_3 = ___initialCapacity0; if ((((int32_t)L_3) >= ((int32_t)((int32_t)10)))) { goto IL_0028; } } { ___initialCapacity0 = ((int32_t)10); } IL_0028: { int32_t L_4 = ___initialCapacity0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)L_4); __this->set__array_0(L_5); __this->set__size_1(0); __this->set__version_2(0); return; } } // System.Int32 System.Collections.Stack::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Stack_get_Count_mA3966F522AE357ACCE3537FBDF82A919B509D6C0 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__size_1(); return L_0; } } // System.Object System.Collections.Stack::get_SyncRoot() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Stack_get_SyncRoot_mD2CA98A101E2F7EF48457FA8496700E438054EB6 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_get_SyncRoot_mD2CA98A101E2F7EF48457FA8496700E438054EB6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = __this->get__syncRoot_3(); if (L_0) { goto IL_001a; } } { RuntimeObject ** L_1 = __this->get_address_of__syncRoot_3(); RuntimeObject * L_2 = (RuntimeObject *)il2cpp_codegen_object_new(RuntimeObject_il2cpp_TypeInfo_var); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(L_2, /*hidden argument*/NULL); InterlockedCompareExchangeImpl<RuntimeObject *>((RuntimeObject **)L_1, L_2, NULL); } IL_001a: { RuntimeObject * L_3 = __this->get__syncRoot_3(); return L_3; } } // System.Void System.Collections.Stack::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack_Clear_m9B8C5F26A38E15BD96ADFA5D3DF38227BDD91041 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = __this->get__array_0(); int32_t L_1 = __this->get__size_1(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_0, 0, L_1, /*hidden argument*/NULL); __this->set__size_1(0); int32_t L_2 = __this->get__version_2(); __this->set__version_2(((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)1))); return; } } // System.Object System.Collections.Stack::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Stack_Clone_m970E7DDDA2100E11F01BF22FDC51B59A0058BB65 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_Clone_m970E7DDDA2100E11F01BF22FDC51B59A0058BB65_MetadataUsageId); s_Il2CppMethodInitialized = true; } Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * V_0 = NULL; { int32_t L_0 = __this->get__size_1(); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_1 = (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 *)il2cpp_codegen_object_new(Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643_il2cpp_TypeInfo_var); Stack__ctor_mAA16105AE32299FABCBCCB6D912C220816030193(L_1, L_0, /*hidden argument*/NULL); V_0 = L_1; Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_2 = V_0; int32_t L_3 = __this->get__size_1(); NullCheck(L_2); L_2->set__size_1(L_3); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = __this->get__array_0(); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_5 = V_0; NullCheck(L_5); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = L_5->get__array_0(); int32_t L_7 = __this->get__size_1(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_4, 0, (RuntimeArray *)(RuntimeArray *)L_6, 0, L_7, /*hidden argument*/NULL); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_8 = V_0; int32_t L_9 = __this->get__version_2(); NullCheck(L_8); L_8->set__version_2(L_9); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_10 = V_0; return L_10; } } // System.Void System.Collections.Stack::CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL; { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck(L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_RuntimeMethod_var); } IL_0027: { int32_t L_6 = ___index1; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_RuntimeMethod_var); } IL_0040: { RuntimeArray * L_9 = ___array0; NullCheck(L_9); int32_t L_10 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D(L_9, /*hidden argument*/NULL); int32_t L_11 = ___index1; int32_t L_12 = __this->get__size_1(); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11))) >= ((int32_t)L_12))) { goto IL_0060; } } { String_t* L_13 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_14 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_14, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14, Stack_CopyTo_mFE62429D1F2E385D31D8AFEE165327B33628BDF4_RuntimeMethod_var); } IL_0060: { V_0 = 0; RuntimeArray * L_15 = ___array0; if (!((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)IsInst((RuntimeObject*)L_15, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var))) { goto IL_00b5; } } { RuntimeArray * L_16 = ___array0; V_1 = ((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)Castclass((RuntimeObject*)L_16, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var)); goto IL_008d; } IL_0073: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = V_1; int32_t L_18 = V_0; int32_t L_19 = ___index1; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = __this->get__array_0(); int32_t L_21 = __this->get__size_1(); int32_t L_22 = V_0; NullCheck(L_20); int32_t L_23 = ((int32_t)il2cpp_codegen_subtract((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_21, (int32_t)L_22)), (int32_t)1)); RuntimeObject * L_24 = (L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_23)); NullCheck(L_17); ArrayElementTypeCheck (L_17, L_24); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)il2cpp_codegen_add((int32_t)L_18, (int32_t)L_19))), (RuntimeObject *)L_24); int32_t L_25 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_25, (int32_t)1)); } IL_008d: { int32_t L_26 = V_0; int32_t L_27 = __this->get__size_1(); if ((((int32_t)L_26) < ((int32_t)L_27))) { goto IL_0073; } } { return; } IL_0097: { RuntimeArray * L_28 = ___array0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_29 = __this->get__array_0(); int32_t L_30 = __this->get__size_1(); int32_t L_31 = V_0; NullCheck(L_29); int32_t L_32 = ((int32_t)il2cpp_codegen_subtract((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_30, (int32_t)L_31)), (int32_t)1)); RuntimeObject * L_33 = (L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_32)); int32_t L_34 = V_0; int32_t L_35 = ___index1; NullCheck(L_28); Array_SetValue_m3C6811CE9C45D1E461404B5D2FBD4EC1A054FDCA(L_28, L_33, ((int32_t)il2cpp_codegen_add((int32_t)L_34, (int32_t)L_35)), /*hidden argument*/NULL); int32_t L_36 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_36, (int32_t)1)); } IL_00b5: { int32_t L_37 = V_0; int32_t L_38 = __this->get__size_1(); if ((((int32_t)L_37) < ((int32_t)L_38))) { goto IL_0097; } } { return; } } // System.Collections.IEnumerator System.Collections.Stack::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* Stack_GetEnumerator_m58A7F61531021CA2F3BF52854236229EB85F6E92 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_GetEnumerator_m58A7F61531021CA2F3BF52854236229EB85F6E92_MetadataUsageId); s_Il2CppMethodInitialized = true; } { StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * L_0 = (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA *)il2cpp_codegen_object_new(StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA_il2cpp_TypeInfo_var); StackEnumerator__ctor_m6F43FBDA48F989B725ADA7CCEC46900630B631F7(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Object System.Collections.Stack::Peek() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Stack_Peek_mEAC45FC37790CF917154F27345E106C2EE38346C (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_Peek_mEAC45FC37790CF917154F27345E106C2EE38346C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__size_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2AE9006AA79BCA491D17932D2580DBE509CC1BD7, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Stack_Peek_mEAC45FC37790CF917154F27345E106C2EE38346C_RuntimeMethod_var); } IL_0018: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = __this->get__array_0(); int32_t L_4 = __this->get__size_1(); NullCheck(L_3); int32_t L_5 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_4, (int32_t)1)); RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); return L_6; } } // System.Object System.Collections.Stack::Pop() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Stack_Pop_m5419FBFC126E7004A81612F90B8137C5629F7CDE (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_Pop_m5419FBFC126E7004A81612F90B8137C5629F7CDE_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = __this->get__size_1(); if (L_0) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2AE9006AA79BCA491D17932D2580DBE509CC1BD7, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Stack_Pop_m5419FBFC126E7004A81612F90B8137C5629F7CDE_RuntimeMethod_var); } IL_0018: { int32_t L_3 = __this->get__version_2(); __this->set__version_2(((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1))); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = __this->get__array_0(); int32_t L_5 = __this->get__size_1(); V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_5, (int32_t)1)); int32_t L_6 = V_0; __this->set__size_1(L_6); int32_t L_7 = V_0; NullCheck(L_4); int32_t L_8 = L_7; RuntimeObject * L_9 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_8)); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = __this->get__array_0(); int32_t L_11 = __this->get__size_1(); NullCheck(L_10); ArrayElementTypeCheck (L_10, NULL); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(L_11), (RuntimeObject *)NULL); return L_9; } } // System.Void System.Collections.Stack::Push(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Stack_Push_m971376A29407806EA49448EBDF6DECCCE8AF6358 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Stack_Push_m971376A29407806EA49448EBDF6DECCCE8AF6358_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; int32_t V_1 = 0; { int32_t L_0 = __this->get__size_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = __this->get__array_0(); NullCheck(L_1); if ((!(((uint32_t)L_0) == ((uint32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_1)->max_length)))))))) { goto IL_003b; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = __this->get__array_0(); NullCheck(L_2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)((int32_t)il2cpp_codegen_multiply((int32_t)2, (int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_2)->max_length))))))); V_0 = L_3; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = __this->get__array_0(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = V_0; int32_t L_6 = __this->get__size_1(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_4, 0, (RuntimeArray *)(RuntimeArray *)L_5, 0, L_6, /*hidden argument*/NULL); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = V_0; __this->set__array_0(L_7); } IL_003b: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = __this->get__array_0(); int32_t L_9 = __this->get__size_1(); V_1 = L_9; int32_t L_10 = V_1; __this->set__size_1(((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1))); int32_t L_11 = V_1; RuntimeObject * L_12 = ___obj0; NullCheck(L_8); ArrayElementTypeCheck (L_8, L_12); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_11), (RuntimeObject *)L_12); int32_t L_13 = __this->get__version_2(); __this->set__version_2(((int32_t)il2cpp_codegen_add((int32_t)L_13, (int32_t)1))); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Stack_StackEnumerator::.ctor(System.Collections.Stack) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void StackEnumerator__ctor_m6F43FBDA48F989B725ADA7CCEC46900630B631F7 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * ___stack0, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_0 = ___stack0; __this->set__stack_0(L_0); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_1 = __this->get__stack_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_2(); __this->set__version_2(L_2); __this->set__index_1(((int32_t)-2)); __this->set_currentElement_3(NULL); return; } } // System.Object System.Collections.Stack_StackEnumerator::Clone() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * StackEnumerator_Clone_mA509B6C10DEE0D9D7BB94621F3A5311A49BDBD36 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = Object_MemberwiseClone_m1DAC4538CD68D4CF4DC5B04E4BBE86D470948B28(__this, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Collections.Stack_StackEnumerator::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool StackEnumerator_MoveNext_m7C00619A440FB2C12C0A5C3C8CEB934250C3DE22 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackEnumerator_MoveNext_m7C00619A440FB2C12C0A5C3C8CEB934250C3DE22_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t G_B5_0 = 0; int32_t G_B4_0 = 0; int32_t G_B10_0 = 0; int32_t G_B9_0 = 0; { int32_t L_0 = __this->get__version_2(); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_1 = __this->get__stack_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_2(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, StackEnumerator_MoveNext_m7C00619A440FB2C12C0A5C3C8CEB934250C3DE22_RuntimeMethod_var); } IL_0023: { int32_t L_5 = __this->get__index_1(); if ((!(((uint32_t)L_5) == ((uint32_t)((int32_t)-2))))) { goto IL_0068; } } { Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_6 = __this->get__stack_0(); NullCheck(L_6); int32_t L_7 = L_6->get__size_1(); __this->set__index_1(((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)1))); int32_t L_8 = __this->get__index_1(); int32_t L_9 = ((((int32_t)((((int32_t)L_8) < ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); G_B4_0 = L_9; if (!L_9) { G_B5_0 = L_9; goto IL_0067; } } { Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_10 = __this->get__stack_0(); NullCheck(L_10); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = L_10->get__array_0(); int32_t L_12 = __this->get__index_1(); NullCheck(L_11); int32_t L_13 = L_12; RuntimeObject * L_14 = (L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13)); __this->set_currentElement_3(L_14); G_B5_0 = G_B4_0; } IL_0067: { return (bool)G_B5_0; } IL_0068: { int32_t L_15 = __this->get__index_1(); if ((!(((uint32_t)L_15) == ((uint32_t)(-1))))) { goto IL_0073; } } { return (bool)0; } IL_0073: { int32_t L_16 = __this->get__index_1(); V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_16, (int32_t)1)); int32_t L_17 = V_0; __this->set__index_1(L_17); int32_t L_18 = V_0; int32_t L_19 = ((((int32_t)((((int32_t)L_18) < ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); G_B9_0 = L_19; if (!L_19) { G_B10_0 = L_19; goto IL_00a6; } } { Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_20 = __this->get__stack_0(); NullCheck(L_20); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = L_20->get__array_0(); int32_t L_22 = __this->get__index_1(); NullCheck(L_21); int32_t L_23 = L_22; RuntimeObject * L_24 = (L_21)->GetAt(static_cast<il2cpp_array_size_t>(L_23)); __this->set_currentElement_3(L_24); return (bool)G_B9_0; } IL_00a6: { __this->set_currentElement_3(NULL); return (bool)G_B10_0; } } // System.Object System.Collections.Stack_StackEnumerator::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__index_1(); if ((!(((uint32_t)L_0) == ((uint32_t)((int32_t)-2))))) { goto IL_001a; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral700336D6AF60425DC8D362092DE4C0FFB8576432, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_2 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22_RuntimeMethod_var); } IL_001a: { int32_t L_3 = __this->get__index_1(); if ((!(((uint32_t)L_3) == ((uint32_t)(-1))))) { goto IL_0033; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral672E8F4CE93C075F32B4FD6C0D0EDAC1BDDB9469, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_5 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, StackEnumerator_get_Current_m648842035EE50845BF314430E0FFBF33A4983C22_RuntimeMethod_var); } IL_0033: { RuntimeObject * L_6 = __this->get_currentElement_3(); return L_6; } } // System.Void System.Collections.Stack_StackEnumerator::Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void StackEnumerator_Reset_m72AB015F4BB163EC9DC19457743EF309A4C24187 (StackEnumerator_tAD5D58C2B92BF36AB7BEDF4405635CB160515DDA * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackEnumerator_Reset_m72AB015F4BB163EC9DC19457743EF309A4C24187_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = __this->get__version_2(); Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * L_1 = __this->get__stack_0(); NullCheck(L_1); int32_t L_2 = L_1->get__version_2(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_0023; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, StackEnumerator_Reset_m72AB015F4BB163EC9DC19457743EF309A4C24187_RuntimeMethod_var); } IL_0023: { __this->set__index_1(((int32_t)-2)); __this->set_currentElement_3(NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Console::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console__cctor_m44FB48190CE1DCE878B95D9D397D29C7527BEE44 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console__cctor_m44FB48190CE1DCE878B95D9D397D29C7527BEE44_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 2); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * L_0 = (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A *)il2cpp_codegen_object_new(InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A_il2cpp_TypeInfo_var); InternalCancelHandler__ctor_m82D5D85CC1F50839540B6072DFCADAD07F6223FF(L_0, NULL, (intptr_t)((intptr_t)Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD_RuntimeMethod_var), /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_cancel_handler_6(L_0); bool L_1 = Environment_get_IsRunningOnWindows_m450E4F44CC5B040187C3E0E42B129780FABE455D(/*hidden argument*/NULL); if (!L_1) { goto IL_004b; } } IL_0018: try { // begin try (depth: 1) IL2CPP_RUNTIME_CLASS_INIT(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var); int32_t L_2 = WindowsConsole_GetInputCodePage_m492EDD139F7E66A90971A069FA4DD63000F77B4F(/*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_3 = Encoding_GetEncoding_m0F51F30DFDD74D989E27C58C53FC82718CC51F68(L_2, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_inputEncoding_3(L_3); int32_t L_4 = WindowsConsole_GetOutputCodePage_mAF546B0FBC6558F7F2636A86E8733AD4AD2C4DE3(/*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_5 = Encoding_GetEncoding_m0F51F30DFDD74D989E27C58C53FC82718CC51F68(L_4, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_outputEncoding_4(L_5); goto IL_008e; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t *)e.ex; if(il2cpp_codegen_class_is_assignable_from (RuntimeObject_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex))) goto CATCH_0038; throw e; } CATCH_0038: { // begin catch(System.Object) Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_6 = Encoding_get_Default_m625C78C2A9A8504B8BA4141994412513DC470CE2(/*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_7 = L_6; ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_outputEncoding_4(L_7); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_inputEncoding_3(L_7); goto IL_008e; } // end catch (depth: 1) IL_004b: { V_0 = 0; IL2CPP_RUNTIME_CLASS_INIT(EncodingHelper_t1A078DCE9CF2B3578DA8CAFE03FB9FFABD00EBB3_il2cpp_TypeInfo_var); EncodingHelper_InternalCodePage_m40D628F42FC6E0B635B21496F0BA71A00B009432((int32_t*)(&V_0), /*hidden argument*/NULL); int32_t L_8 = V_0; if ((((int32_t)L_8) == ((int32_t)(-1)))) { goto IL_007e; } } { int32_t L_9 = V_0; if ((((int32_t)((int32_t)((int32_t)L_9&(int32_t)((int32_t)268435455)))) == ((int32_t)3))) { goto IL_006c; } } { int32_t L_10 = V_0; if (!((int32_t)((int32_t)L_10&(int32_t)((int32_t)268435456)))) { goto IL_007e; } } IL_006c: { IL2CPP_RUNTIME_CLASS_INIT(EncodingHelper_t1A078DCE9CF2B3578DA8CAFE03FB9FFABD00EBB3_il2cpp_TypeInfo_var); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_11 = EncodingHelper_get_UTF8Unmarked_mDC45343C3BA5B14AD998D36344DDFD0B7068E335(/*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_12 = L_11; ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_outputEncoding_4(L_12); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_inputEncoding_3(L_12); goto IL_008e; } IL_007e: { Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_13 = Encoding_get_Default_m625C78C2A9A8504B8BA4141994412513DC470CE2(/*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_14 = L_13; ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_outputEncoding_4(L_14); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_inputEncoding_3(L_14); } IL_008e: { Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_15 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_inputEncoding_3(); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_16 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_outputEncoding_4(); Console_SetupStreams_m6CC1706E3A1838A0C710F3053EF589C7BA934065(L_15, L_16, /*hidden argument*/NULL); return; } } // System.Void System.Console::SetupStreams(System.Text.Encoding,System.Text.Encoding) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console_SetupStreams_m6CC1706E3A1838A0C710F3053EF589C7BA934065 (Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___inputEncoding0, Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * ___outputEncoding1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_SetupStreams_m6CC1706E3A1838A0C710F3053EF589C7BA934065_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = Environment_get_IsRunningOnWindows_m450E4F44CC5B040187C3E0E42B129780FABE455D(/*hidden argument*/NULL); if (L_0) { goto IL_005d; } } { IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); bool L_1 = ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731(/*hidden argument*/NULL); if (!L_1) { goto IL_005d; } } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_2 = Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_3 = ___inputEncoding0; CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D * L_4 = (CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D *)il2cpp_codegen_object_new(CStreamReader_t8B3DE8C991DCFA6F4B913713009C5C9B5E57507D_il2cpp_TypeInfo_var); CStreamReader__ctor_m0522E27BADB6649A8E512728F900EFFA4DBD301A(L_4, L_2, L_3, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stdin_2(L_4); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_5 = Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_6 = ___outputEncoding1; CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * L_7 = (CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 *)il2cpp_codegen_object_new(CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450_il2cpp_TypeInfo_var); CStreamWriter__ctor_m967462FE0368BE80A448F0082E70B326088E2E95(L_7, L_5, L_6, (bool)1, /*hidden argument*/NULL); CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * L_8 = L_7; NullCheck(L_8); VirtActionInvoker1< bool >::Invoke(22 /* System.Void System.IO.StreamWriter::set_AutoFlush(System.Boolean) */, L_8, (bool)1); IL2CPP_RUNTIME_CLASS_INIT(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_il2cpp_TypeInfo_var); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_9 = TextWriter_Synchronized_m09204B9D335A228553F62AB1588490109E5DCD86(L_8, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stdout_0(L_9); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_10 = Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_11 = ___outputEncoding1; CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * L_12 = (CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 *)il2cpp_codegen_object_new(CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450_il2cpp_TypeInfo_var); CStreamWriter__ctor_m967462FE0368BE80A448F0082E70B326088E2E95(L_12, L_10, L_11, (bool)1, /*hidden argument*/NULL); CStreamWriter_t6B662CA496662AF63D81722DCA99094893C80450 * L_13 = L_12; NullCheck(L_13); VirtActionInvoker1< bool >::Invoke(22 /* System.Void System.IO.StreamWriter::set_AutoFlush(System.Boolean) */, L_13, (bool)1); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_14 = TextWriter_Synchronized_m09204B9D335A228553F62AB1588490109E5DCD86(L_13, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stderr_1(L_14); goto IL_00ad; } IL_005d: { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_15 = Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_16 = ___inputEncoding0; UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA * L_17 = (UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA *)il2cpp_codegen_object_new(UnexceptionalStreamReader_t30F0B3E16EAB998688D1AA23E2A6F3E6590E41EA_il2cpp_TypeInfo_var); UnexceptionalStreamReader__ctor_m66258235565573CF051C6F053EADEEF9A67A084D(L_17, L_15, L_16, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A_il2cpp_TypeInfo_var); TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * L_18 = TextReader_Synchronized_mAC0571B77131073ED9B627C8FEE2082CB28EDA9D(L_17, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stdin_2(L_18); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_19 = Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_20 = ___outputEncoding1; UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB * L_21 = (UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB *)il2cpp_codegen_object_new(UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB_il2cpp_TypeInfo_var); UnexceptionalStreamWriter__ctor_m4504DBFFC2C8A76C6BA8BB0EE18630E32D03C772(L_21, L_19, L_20, /*hidden argument*/NULL); UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB * L_22 = L_21; NullCheck(L_22); VirtActionInvoker1< bool >::Invoke(22 /* System.Void System.IO.StreamWriter::set_AutoFlush(System.Boolean) */, L_22, (bool)1); IL2CPP_RUNTIME_CLASS_INIT(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_il2cpp_TypeInfo_var); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_23 = TextWriter_Synchronized_m09204B9D335A228553F62AB1588490109E5DCD86(L_22, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stdout_0(L_23); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_24 = Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F(0, /*hidden argument*/NULL); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_25 = ___outputEncoding1; UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB * L_26 = (UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB *)il2cpp_codegen_object_new(UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB_il2cpp_TypeInfo_var); UnexceptionalStreamWriter__ctor_m4504DBFFC2C8A76C6BA8BB0EE18630E32D03C772(L_26, L_24, L_25, /*hidden argument*/NULL); UnexceptionalStreamWriter_t15265DC169F829537681A0A5A1826F6713ABC1CB * L_27 = L_26; NullCheck(L_27); VirtActionInvoker1< bool >::Invoke(22 /* System.Void System.IO.StreamWriter::set_AutoFlush(System.Boolean) */, L_27, (bool)1); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_28 = TextWriter_Synchronized_m09204B9D335A228553F62AB1588490109E5DCD86(L_27, /*hidden argument*/NULL); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stderr_1(L_28); } IL_00ad: { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_29 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_stdout_0(); IL2CPP_RUNTIME_CLASS_INIT(GC_tC1D7BD74E8F44ECCEF5CD2B5D84BFF9AAE02D01D_il2cpp_TypeInfo_var); GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425(L_29, /*hidden argument*/NULL); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_30 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_stderr_1(); GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425(L_30, /*hidden argument*/NULL); TextReader_t7DF8314B601D202ECFEDF623093A87BFDAB58D0A * L_31 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_stdin_2(); GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425(L_31, /*hidden argument*/NULL); return; } } // System.IO.TextWriter System.Console::get_Error() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * Console_get_Error_mE1078EFC5C7C133964838D2A72B8FB9567E4C98A (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_get_Error_mE1078EFC5C7C133964838D2A72B8FB9567E4C98A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_0 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_stderr_1(); return L_0; } } // System.IO.TextWriter System.Console::get_Out() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * Console_get_Out_m39013EA4B394882407DA00C8670B7D7873CFFABF (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_get_Out_m39013EA4B394882407DA00C8670B7D7873CFFABF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_0 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_stdout_0(); return L_0; } } // System.IO.Stream System.Console::Open(System.IntPtr,System.IO.FileAccess,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340 (intptr_t ___handle0, int32_t ___access1, int32_t ___bufferSize2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340_MetadataUsageId); s_Il2CppMethodInitialized = true; } Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * V_0 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 2); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); IL_0000: try { // begin try (depth: 1) intptr_t L_0 = ___handle0; int32_t L_1 = ___access1; int32_t L_2 = ___bufferSize2; FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418 * L_3 = (FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418 *)il2cpp_codegen_object_new(FileStream_tA770BF9AF0906644D43C81B962C7DBC3BC79A418_il2cpp_TypeInfo_var); FileStream__ctor_mBBACDACB97FD9346AC2A5E164C86AB0BA0D160D6(L_3, (intptr_t)L_0, L_1, (bool)0, L_2, (bool)0, (bool)1, /*hidden argument*/NULL); V_0 = L_3; goto IL_0017; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t *)e.ex; if(il2cpp_codegen_class_is_assignable_from (IOException_t60E052020EDE4D3075F57A1DCC224FF8864354BA_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex))) goto CATCH_000e; throw e; } CATCH_000e: { // begin catch(System.IO.IOException) IL2CPP_RUNTIME_CLASS_INIT(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_4 = ((Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_StaticFields*)il2cpp_codegen_static_fields_for(Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7_il2cpp_TypeInfo_var))->get_Null_1(); V_0 = L_4; goto IL_0017; } // end catch (depth: 1) IL_0017: { Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_5 = V_0; return L_5; } } // System.IO.Stream System.Console::OpenStandardError(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F (int32_t ___bufferSize0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_OpenStandardError_mC6642ADBF10786E986FCA8E8708C35566A54137F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var); intptr_t L_0 = MonoIO_get_ConsoleError_mBF62E29F14657C9B5982694B3901F6AD7EEB6EFD(/*hidden argument*/NULL); int32_t L_1 = ___bufferSize0; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_2 = Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340((intptr_t)L_0, 2, L_1, /*hidden argument*/NULL); return L_2; } } // System.IO.Stream System.Console::OpenStandardInput(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98 (int32_t ___bufferSize0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_OpenStandardInput_m70507BD4CEF7AAFB01030995036454D9D6F4BC98_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var); intptr_t L_0 = MonoIO_get_ConsoleInput_mFC797DF758331A0370296F8DF3136A6B9F1995DC(/*hidden argument*/NULL); int32_t L_1 = ___bufferSize0; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_2 = Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340((intptr_t)L_0, 1, L_1, /*hidden argument*/NULL); return L_2; } } // System.IO.Stream System.Console::OpenStandardOutput(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823 (int32_t ___bufferSize0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_OpenStandardOutput_m9C602CA7C2D5E989D45913987E2E581481EC9823_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var); intptr_t L_0 = MonoIO_get_ConsoleOutput_m7E36914F192D603C50A8F39745F6443BB2882859(/*hidden argument*/NULL); int32_t L_1 = ___bufferSize0; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Stream_tFC50657DD5AAB87770987F9179D934A51D99D5E7 * L_2 = Console_Open_mDAC2FE85ABE14206C01E7AA29617DAB54A2EA340((intptr_t)L_0, 2, L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.Console::SetOut(System.IO.TextWriter) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF (TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * ___newOut0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_0 = ___newOut0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralFFFF85E12994D802154FE586A70E285162D88E1E, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF_RuntimeMethod_var); } IL_000e: { TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * L_2 = ___newOut0; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->set_stdout_0(L_2); return; } } // System.Text.Encoding System.Console::get_InputEncoding() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * Console_get_InputEncoding_m60EAA2E167A0C8C681997B998E851D8CD6C954FE (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_get_InputEncoding_m60EAA2E167A0C8C681997B998E851D8CD6C954FE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_0 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_inputEncoding_3(); return L_0; } } // System.Text.Encoding System.Console::get_OutputEncoding() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * Console_get_OutputEncoding_mA23798B6CE69F59EAA00C8206EF8552196120647 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_get_OutputEncoding_mA23798B6CE69F59EAA00C8206EF8552196120647_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Encoding_t7837A3C0F55EAE0E3959A53C6D6E88B113ED78A4 * L_0 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_outputEncoding_4(); return L_0; } } // System.ConsoleKeyInfo System.Console::ReadKey() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 Console_ReadKey_m8E93A1A91E2D0BE19342C479E9D769AB0C6E37B4 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_ReadKey_m8E93A1A91E2D0BE19342C479E9D769AB0C6E37B4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_0 = Console_ReadKey_m64DBD2BDB13D04E2E73B95F1BD3B9D08B370D3BA((bool)0, /*hidden argument*/NULL); return L_0; } } // System.ConsoleKeyInfo System.Console::ReadKey(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 Console_ReadKey_m64DBD2BDB13D04E2E73B95F1BD3B9D08B370D3BA (bool ___intercept0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_ReadKey_m64DBD2BDB13D04E2E73B95F1BD3B9D08B370D3BA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = ___intercept0; IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_1 = ConsoleDriver_ReadKey_m26C9ECDAE36AEE4B923BFDD9420D341AB3DDA900(L_0, /*hidden argument*/NULL); return L_1; } } // System.Void System.Console::DoConsoleCancelEvent() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * V_1 = NULL; DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* V_2 = NULL; int32_t V_3 = 0; ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * V_4 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 2); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { V_0 = (bool)1; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * L_0 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_cancel_event_5(); if (!L_0) { goto IL_004b; } } { ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * L_1 = (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *)il2cpp_codegen_object_new(ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760_il2cpp_TypeInfo_var); ConsoleCancelEventArgs__ctor_mF734EC3C82D0A490C0A05416E566BFC53ACFB471(L_1, 0, /*hidden argument*/NULL); V_1 = L_1; IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * L_2 = ((Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_StaticFields*)il2cpp_codegen_static_fields_for(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var))->get_cancel_event_5(); NullCheck(L_2); DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* L_3 = VirtFuncInvoker0< DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* >::Invoke(9 /* System.Delegate[] System.Delegate::GetInvocationList() */, L_2); V_2 = L_3; V_3 = 0; goto IL_003b; } IL_001f: { DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* L_4 = V_2; int32_t L_5 = V_3; NullCheck(L_4); int32_t L_6 = L_5; Delegate_t * L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); V_4 = ((ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 *)CastclassSealed((RuntimeObject*)L_7, ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4_il2cpp_TypeInfo_var)); } IL_0029: try { // begin try (depth: 1) ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * L_8 = V_4; ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * L_9 = V_1; NullCheck(L_8); ConsoleCancelEventHandler_Invoke_mC7E3B6D8555B865719369DBF255D2BB7E952ADD2(L_8, NULL, L_9, /*hidden argument*/NULL); goto IL_0037; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t *)e.ex; if(il2cpp_codegen_class_is_assignable_from (RuntimeObject_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex))) goto CATCH_0034; throw e; } CATCH_0034: { // begin catch(System.Object) goto IL_0037; } // end catch (depth: 1) IL_0037: { int32_t L_10 = V_3; V_3 = ((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_003b: { int32_t L_11 = V_3; DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* L_12 = V_2; NullCheck(L_12); if ((((int32_t)L_11) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_12)->max_length))))))) { goto IL_001f; } } { ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * L_13 = V_1; NullCheck(L_13); bool L_14 = ConsoleCancelEventArgs_get_Cancel_mA996E8B7FE802D9A15208AFF397481646751A46F_inline(L_13, /*hidden argument*/NULL); V_0 = (bool)((((int32_t)L_14) == ((int32_t)0))? 1 : 0); } IL_004b: { bool L_15 = V_0; if (!L_15) { goto IL_0055; } } { Environment_Exit_m3398C2AF5F6AE7197249ECFEDFC624582ADB86EE(((int32_t)58), /*hidden argument*/NULL); } IL_0055: { return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif IL2CPP_EXTERN_C void DelegatePInvokeWrapper_InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, const RuntimeMethod* method) { typedef void (DEFAULT_CALL *PInvokeFunc)(); PInvokeFunc il2cppPInvokeFunc = reinterpret_cast<PInvokeFunc>(il2cpp_codegen_get_method_pointer(((RuntimeDelegate*)__this)->method)); // Native function invocation il2cppPInvokeFunc(); } // System.Void System.Console_InternalCancelHandler::.ctor(System.Object,System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InternalCancelHandler__ctor_m82D5D85CC1F50839540B6072DFCADAD07F6223FF (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1)); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Void System.Console_InternalCancelHandler::Invoke() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InternalCancelHandler_Invoke_m93DB1D6DCBA4D1E40DD0EF832A3E7FAB4D40BBA0 (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, const RuntimeMethod* method) { DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* delegateArrayToInvoke = __this->get_delegates_11(); Delegate_t** delegatesToInvoke; il2cpp_array_size_t length; if (delegateArrayToInvoke != NULL) { length = delegateArrayToInvoke->max_length; delegatesToInvoke = reinterpret_cast<Delegate_t**>(delegateArrayToInvoke->GetAddressAtUnchecked(0)); } else { length = 1; delegatesToInvoke = reinterpret_cast<Delegate_t**>(&__this); } for (il2cpp_array_size_t i = 0; i < length; i++) { Delegate_t* currentDelegate = delegatesToInvoke[i]; Il2CppMethodPointer targetMethodPointer = currentDelegate->get_method_ptr_0(); RuntimeObject* targetThis = currentDelegate->get_m_target_2(); RuntimeMethod* targetMethod = (RuntimeMethod*)(currentDelegate->get_method_3()); if (!il2cpp_codegen_method_is_virtual(targetMethod)) { il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found(targetMethod); } bool ___methodIsStatic = MethodIsStatic(targetMethod); int ___parameterCount = il2cpp_codegen_method_parameter_count(targetMethod); if (___methodIsStatic) { if (___parameterCount == 0) { // open typedef void (*FunctionPointerType) (const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(targetMethod); } else { // closed typedef void (*FunctionPointerType) (void*, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod); } } else { // closed if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this)) { if (il2cpp_codegen_method_is_generic_instance(targetMethod)) { if (il2cpp_codegen_method_is_interface_method(targetMethod)) GenericInterfaceActionInvoker0::Invoke(targetMethod, targetThis); else GenericVirtActionInvoker0::Invoke(targetMethod, targetThis); } else { if (il2cpp_codegen_method_is_interface_method(targetMethod)) InterfaceActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis); else VirtActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis); } } else { typedef void (*FunctionPointerType) (void*, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod); } } } } // System.IAsyncResult System.Console_InternalCancelHandler::BeginInvoke(System.AsyncCallback,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* InternalCancelHandler_BeginInvoke_m1C97C11E4F488705DA654CD6E359B1240C5827C5 (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 * ___callback0, RuntimeObject * ___object1, const RuntimeMethod* method) { void *__d_args[1] = {0}; return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((RuntimeDelegate*)__this, __d_args, (RuntimeDelegate*)___callback0, (RuntimeObject*)___object1); } // System.Void System.Console_InternalCancelHandler::EndInvoke(System.IAsyncResult) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InternalCancelHandler_EndInvoke_mD21C5B182EEE02EECC01C62BB039F46FEFD429EF (InternalCancelHandler_t2DD134D8150B67E2F9FAD1BC2E6BE92EED57968A * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #if FORCE_PINVOKE_INTERNAL IL2CPP_EXTERN_C int32_t DEFAULT_CALL GetConsoleCP(); #endif // System.Int32 System.Console_WindowsConsole::GetConsoleCP() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetConsoleCP_m113D8CEC7639D78D9C1D5BA7EA60D70C2F5DB870 (const RuntimeMethod* method) { typedef int32_t (DEFAULT_CALL *PInvokeFunc) (); #if !FORCE_PINVOKE_INTERNAL static PInvokeFunc il2cppPInvokeFunc; if (il2cppPInvokeFunc == NULL) { int parameterSize = 0; il2cppPInvokeFunc = il2cpp_codegen_resolve_pinvoke<PInvokeFunc>(IL2CPP_NATIVE_STRING("kernel32.dll"), "GetConsoleCP", IL2CPP_CALL_DEFAULT, CHARSET_UNICODE, parameterSize, true); IL2CPP_ASSERT(il2cppPInvokeFunc != NULL); } #endif // Native function invocation #if FORCE_PINVOKE_INTERNAL int32_t returnValue = reinterpret_cast<PInvokeFunc>(GetConsoleCP)(); #else int32_t returnValue = il2cppPInvokeFunc(); #endif return returnValue; } #if FORCE_PINVOKE_INTERNAL IL2CPP_EXTERN_C int32_t DEFAULT_CALL GetConsoleOutputCP(); #endif // System.Int32 System.Console_WindowsConsole::GetConsoleOutputCP() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetConsoleOutputCP_m7FC4A3A6237BCB23BFCFCD4295C06F42C3FEE440 (const RuntimeMethod* method) { typedef int32_t (DEFAULT_CALL *PInvokeFunc) (); #if !FORCE_PINVOKE_INTERNAL static PInvokeFunc il2cppPInvokeFunc; if (il2cppPInvokeFunc == NULL) { int parameterSize = 0; il2cppPInvokeFunc = il2cpp_codegen_resolve_pinvoke<PInvokeFunc>(IL2CPP_NATIVE_STRING("kernel32.dll"), "GetConsoleOutputCP", IL2CPP_CALL_DEFAULT, CHARSET_UNICODE, parameterSize, true); IL2CPP_ASSERT(il2cppPInvokeFunc != NULL); } #endif // Native function invocation #if FORCE_PINVOKE_INTERNAL int32_t returnValue = reinterpret_cast<PInvokeFunc>(GetConsoleOutputCP)(); #else int32_t returnValue = il2cppPInvokeFunc(); #endif return returnValue; } // System.Boolean System.Console_WindowsConsole::DoWindowsConsoleCancelEvent(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool WindowsConsole_DoWindowsConsoleCancelEvent_m4FAC7A4ADAFBDC6AACB88F9B38FCA6511BC79627 (int32_t ___keyCode0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (WindowsConsole_DoWindowsConsoleCancelEvent_m4FAC7A4ADAFBDC6AACB88F9B38FCA6511BC79627_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___keyCode0; if (L_0) { goto IL_0008; } } { IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var); Console_DoConsoleCancelEvent_mBC4C4C488FCE021441F2C1D5A25D86F2F8A94FDD(/*hidden argument*/NULL); } IL_0008: { int32_t L_1 = ___keyCode0; return (bool)((((int32_t)L_1) == ((int32_t)0))? 1 : 0); } } // System.Int32 System.Console_WindowsConsole::GetInputCodePage() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetInputCodePage_m492EDD139F7E66A90971A069FA4DD63000F77B4F (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (WindowsConsole_GetInputCodePage_m492EDD139F7E66A90971A069FA4DD63000F77B4F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var); int32_t L_0 = WindowsConsole_GetConsoleCP_m113D8CEC7639D78D9C1D5BA7EA60D70C2F5DB870(/*hidden argument*/NULL); return L_0; } } // System.Int32 System.Console_WindowsConsole::GetOutputCodePage() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR int32_t WindowsConsole_GetOutputCodePage_mAF546B0FBC6558F7F2636A86E8733AD4AD2C4DE3 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (WindowsConsole_GetOutputCodePage_mAF546B0FBC6558F7F2636A86E8733AD4AD2C4DE3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var); int32_t L_0 = WindowsConsole_GetConsoleOutputCP_m7FC4A3A6237BCB23BFCFCD4295C06F42C3FEE440(/*hidden argument*/NULL); return L_0; } } // System.Void System.Console_WindowsConsole::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void WindowsConsole__cctor_m5F32EAD6176EB9FCC8E4BF9E34FCA25348324BB9 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (WindowsConsole__cctor_m5F32EAD6176EB9FCC8E4BF9E34FCA25348324BB9_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ((WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_StaticFields*)il2cpp_codegen_static_fields_for(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var))->set_ctrlHandlerAdded_0((bool)0); WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * L_0 = (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 *)il2cpp_codegen_object_new(WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51_il2cpp_TypeInfo_var); WindowsCancelHandler__ctor_m75C4D20D6754BB22B858DCB2062CCD61742DEFCF(L_0, NULL, (intptr_t)((intptr_t)WindowsConsole_DoWindowsConsoleCancelEvent_m4FAC7A4ADAFBDC6AACB88F9B38FCA6511BC79627_RuntimeMethod_var), /*hidden argument*/NULL); ((WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_StaticFields*)il2cpp_codegen_static_fields_for(WindowsConsole_tE2543F6EAD1001D1F2DE2CC0A5495048EED8C21B_il2cpp_TypeInfo_var))->set_cancelHandler_1(L_0); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif IL2CPP_EXTERN_C bool DelegatePInvokeWrapper_WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, int32_t ___keyCode0, const RuntimeMethod* method) { typedef int32_t (DEFAULT_CALL *PInvokeFunc)(int32_t); PInvokeFunc il2cppPInvokeFunc = reinterpret_cast<PInvokeFunc>(il2cpp_codegen_get_method_pointer(((RuntimeDelegate*)__this)->method)); // Native function invocation int32_t returnValue = il2cppPInvokeFunc(___keyCode0); return static_cast<bool>(returnValue); } // System.Void System.Console_WindowsConsole_WindowsCancelHandler::.ctor(System.Object,System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void WindowsCancelHandler__ctor_m75C4D20D6754BB22B858DCB2062CCD61742DEFCF (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1)); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Boolean System.Console_WindowsConsole_WindowsCancelHandler::Invoke(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool WindowsCancelHandler_Invoke_m751F4D23F6167DB32EFD5418CDD1DC0BD1132435 (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, int32_t ___keyCode0, const RuntimeMethod* method) { bool result = false; DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* delegateArrayToInvoke = __this->get_delegates_11(); Delegate_t** delegatesToInvoke; il2cpp_array_size_t length; if (delegateArrayToInvoke != NULL) { length = delegateArrayToInvoke->max_length; delegatesToInvoke = reinterpret_cast<Delegate_t**>(delegateArrayToInvoke->GetAddressAtUnchecked(0)); } else { length = 1; delegatesToInvoke = reinterpret_cast<Delegate_t**>(&__this); } for (il2cpp_array_size_t i = 0; i < length; i++) { Delegate_t* currentDelegate = delegatesToInvoke[i]; Il2CppMethodPointer targetMethodPointer = currentDelegate->get_method_ptr_0(); RuntimeObject* targetThis = currentDelegate->get_m_target_2(); RuntimeMethod* targetMethod = (RuntimeMethod*)(currentDelegate->get_method_3()); if (!il2cpp_codegen_method_is_virtual(targetMethod)) { il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found(targetMethod); } bool ___methodIsStatic = MethodIsStatic(targetMethod); int ___parameterCount = il2cpp_codegen_method_parameter_count(targetMethod); if (___methodIsStatic) { if (___parameterCount == 1) { // open typedef bool (*FunctionPointerType) (int32_t, const RuntimeMethod*); result = ((FunctionPointerType)targetMethodPointer)(___keyCode0, targetMethod); } else { // closed typedef bool (*FunctionPointerType) (void*, int32_t, const RuntimeMethod*); result = ((FunctionPointerType)targetMethodPointer)(targetThis, ___keyCode0, targetMethod); } } else { // closed if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this)) { if (targetThis == NULL) { typedef bool (*FunctionPointerType) (int32_t, const RuntimeMethod*); result = ((FunctionPointerType)targetMethodPointer)(___keyCode0, targetMethod); } else if (il2cpp_codegen_method_is_generic_instance(targetMethod)) { if (il2cpp_codegen_method_is_interface_method(targetMethod)) result = GenericInterfaceFuncInvoker1< bool, int32_t >::Invoke(targetMethod, targetThis, ___keyCode0); else result = GenericVirtFuncInvoker1< bool, int32_t >::Invoke(targetMethod, targetThis, ___keyCode0); } else { if (il2cpp_codegen_method_is_interface_method(targetMethod)) result = InterfaceFuncInvoker1< bool, int32_t >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis, ___keyCode0); else result = VirtFuncInvoker1< bool, int32_t >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis, ___keyCode0); } } else { if (targetThis == NULL && il2cpp_codegen_class_is_value_type(il2cpp_codegen_method_get_declaring_type(targetMethod))) { typedef bool (*FunctionPointerType) (RuntimeObject*, const RuntimeMethod*); result = ((FunctionPointerType)targetMethodPointer)((reinterpret_cast<RuntimeObject*>(&___keyCode0) - 1), targetMethod); } else { typedef bool (*FunctionPointerType) (void*, int32_t, const RuntimeMethod*); result = ((FunctionPointerType)targetMethodPointer)(targetThis, ___keyCode0, targetMethod); } } } } return result; } // System.IAsyncResult System.Console_WindowsConsole_WindowsCancelHandler::BeginInvoke(System.Int32,System.AsyncCallback,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* WindowsCancelHandler_BeginInvoke_m81C599A998316D97045F021332275532AFFBAB2D (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, int32_t ___keyCode0, AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 * ___callback1, RuntimeObject * ___object2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (WindowsCancelHandler_BeginInvoke_m81C599A998316D97045F021332275532AFFBAB2D_MetadataUsageId); s_Il2CppMethodInitialized = true; } void *__d_args[2] = {0}; __d_args[0] = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &___keyCode0); return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((RuntimeDelegate*)__this, __d_args, (RuntimeDelegate*)___callback1, (RuntimeObject*)___object2); } // System.Boolean System.Console_WindowsConsole_WindowsCancelHandler::EndInvoke(System.IAsyncResult) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool WindowsCancelHandler_EndInvoke_m09FBBD984881460084F4F50D0A99E0A752DB4CB0 (WindowsCancelHandler_t1D05BCFB512603DCF87A126FE9969F1D876B9B51 * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { RuntimeObject *__result = il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); return *(bool*)UnBox ((RuntimeObject*)__result); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.ConsoleCancelEventArgs::.ctor(System.ConsoleSpecialKey) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventArgs__ctor_mF734EC3C82D0A490C0A05416E566BFC53ACFB471 (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, int32_t ___type0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleCancelEventArgs__ctor_mF734EC3C82D0A490C0A05416E566BFC53ACFB471_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E_il2cpp_TypeInfo_var); EventArgs__ctor_m3551293259861C5A78CD47689D559F828ED29DF7(__this, /*hidden argument*/NULL); int32_t L_0 = ___type0; __this->set__type_1(L_0); __this->set__cancel_2((bool)0); return; } } // System.Boolean System.ConsoleCancelEventArgs::get_Cancel() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleCancelEventArgs_get_Cancel_mA996E8B7FE802D9A15208AFF397481646751A46F (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, const RuntimeMethod* method) { { bool L_0 = __this->get__cancel_2(); return L_0; } } // System.Void System.ConsoleCancelEventArgs::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventArgs__ctor_m95968474A63DE5D98393AABB6C10EB670127EAFF (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleCancelEventArgs__ctor_m95968474A63DE5D98393AABB6C10EB670127EAFF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { il2cpp_codegen_raise_profile_exception(ConsoleCancelEventArgs__ctor_m95968474A63DE5D98393AABB6C10EB670127EAFF_RuntimeMethod_var); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.ConsoleCancelEventHandler::.ctor(System.Object,System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventHandler__ctor_mDB54F1DD9AFC3C9FB9350057795912934402A8AC (ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1)); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Void System.ConsoleCancelEventHandler::Invoke(System.Object,System.ConsoleCancelEventArgs) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventHandler_Invoke_mC7E3B6D8555B865719369DBF255D2BB7E952ADD2 (ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * __this, RuntimeObject * ___sender0, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * ___e1, const RuntimeMethod* method) { DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* delegateArrayToInvoke = __this->get_delegates_11(); Delegate_t** delegatesToInvoke; il2cpp_array_size_t length; if (delegateArrayToInvoke != NULL) { length = delegateArrayToInvoke->max_length; delegatesToInvoke = reinterpret_cast<Delegate_t**>(delegateArrayToInvoke->GetAddressAtUnchecked(0)); } else { length = 1; delegatesToInvoke = reinterpret_cast<Delegate_t**>(&__this); } for (il2cpp_array_size_t i = 0; i < length; i++) { Delegate_t* currentDelegate = delegatesToInvoke[i]; Il2CppMethodPointer targetMethodPointer = currentDelegate->get_method_ptr_0(); RuntimeObject* targetThis = currentDelegate->get_m_target_2(); RuntimeMethod* targetMethod = (RuntimeMethod*)(currentDelegate->get_method_3()); if (!il2cpp_codegen_method_is_virtual(targetMethod)) { il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found(targetMethod); } bool ___methodIsStatic = MethodIsStatic(targetMethod); int ___parameterCount = il2cpp_codegen_method_parameter_count(targetMethod); if (___methodIsStatic) { if (___parameterCount == 2) { // open typedef void (*FunctionPointerType) (RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(___sender0, ___e1, targetMethod); } else { // closed typedef void (*FunctionPointerType) (void*, RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(targetThis, ___sender0, ___e1, targetMethod); } } else if (___parameterCount != 2) { // open if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this)) { if (il2cpp_codegen_method_is_generic_instance(targetMethod)) { if (il2cpp_codegen_method_is_interface_method(targetMethod)) GenericInterfaceActionInvoker1< ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(targetMethod, ___sender0, ___e1); else GenericVirtActionInvoker1< ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(targetMethod, ___sender0, ___e1); } else { if (il2cpp_codegen_method_is_interface_method(targetMethod)) InterfaceActionInvoker1< ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), ___sender0, ___e1); else VirtActionInvoker1< ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), ___sender0, ___e1); } } else { if (targetThis == NULL && il2cpp_codegen_class_is_value_type(il2cpp_codegen_method_get_declaring_type(targetMethod))) { typedef void (*FunctionPointerType) (RuntimeObject*, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)((reinterpret_cast<RuntimeObject*>(___e1) - 1), targetMethod); } else { typedef void (*FunctionPointerType) (RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(___sender0, ___e1, targetMethod); } } } else { // closed if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this)) { if (targetThis == NULL) { typedef void (*FunctionPointerType) (RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(___sender0, ___e1, targetMethod); } else if (il2cpp_codegen_method_is_generic_instance(targetMethod)) { if (il2cpp_codegen_method_is_interface_method(targetMethod)) GenericInterfaceActionInvoker2< RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(targetMethod, targetThis, ___sender0, ___e1); else GenericVirtActionInvoker2< RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(targetMethod, targetThis, ___sender0, ___e1); } else { if (il2cpp_codegen_method_is_interface_method(targetMethod)) InterfaceActionInvoker2< RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis, ___sender0, ___e1); else VirtActionInvoker2< RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis, ___sender0, ___e1); } } else { if (targetThis == NULL && il2cpp_codegen_class_is_value_type(il2cpp_codegen_method_get_declaring_type(targetMethod))) { typedef void (*FunctionPointerType) (RuntimeObject*, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)((reinterpret_cast<RuntimeObject*>(___sender0) - 1), ___e1, targetMethod); } else { typedef void (*FunctionPointerType) (void*, RuntimeObject *, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 *, const RuntimeMethod*); ((FunctionPointerType)targetMethodPointer)(targetThis, ___sender0, ___e1, targetMethod); } } } } } // System.IAsyncResult System.ConsoleCancelEventHandler::BeginInvoke(System.Object,System.ConsoleCancelEventArgs,System.AsyncCallback,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* ConsoleCancelEventHandler_BeginInvoke_m8740C0C67047D6F86A56C39F4E179D54886D48B9 (ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * __this, RuntimeObject * ___sender0, ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * ___e1, AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 * ___callback2, RuntimeObject * ___object3, const RuntimeMethod* method) { void *__d_args[3] = {0}; __d_args[0] = ___sender0; __d_args[1] = ___e1; return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((RuntimeDelegate*)__this, __d_args, (RuntimeDelegate*)___callback2, (RuntimeObject*)___object3); } // System.Void System.ConsoleCancelEventHandler::EndInvoke(System.IAsyncResult) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleCancelEventHandler_EndInvoke_m254F511C1E2AF1BC048E881073E33464EE09E67B (ConsoleCancelEventHandler_t6F3B5D9C55C25FF6B53EFEDA9150EFE807311EB4 * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.ConsoleDriver::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleDriver__cctor_mD940A3DF23F49F26B5BAC4D5C1D96A9DD48FCA4A (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver__cctor_mD940A3DF23F49F26B5BAC4D5C1D96A9DD48FCA4A_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { bool L_0 = ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731(/*hidden argument*/NULL); if (L_0) { goto IL_0012; } } { RuntimeObject* L_1 = ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17(/*hidden argument*/NULL); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_driver_0(L_1); return; } IL_0012: { bool L_2 = Environment_get_IsRunningOnWindows_m450E4F44CC5B040187C3E0E42B129780FABE455D(/*hidden argument*/NULL); if (!L_2) { goto IL_0024; } } { RuntimeObject* L_3 = ConsoleDriver_CreateWindowsConsoleDriver_mB2C43CDD6BD7C2159D7B939D8EEBEA9BFC07F5DF(/*hidden argument*/NULL); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_driver_0(L_3); return; } IL_0024: { String_t* L_4 = Environment_GetEnvironmentVariable_mB94020EE6B0D5BADF024E4BE6FBC54A5954D2185(_stringLiteralB3DB3AF9A0E0243F28ED20FCC3B1D5D1FAAAFBB6, /*hidden argument*/NULL); V_0 = L_4; String_t* L_5 = V_0; bool L_6 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_5, _stringLiteral421771305044654A8E7CA3285DDD3E840861E121, /*hidden argument*/NULL); if (!L_6) { goto IL_004d; } } { ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_is_console_1((bool)0); RuntimeObject* L_7 = ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17(/*hidden argument*/NULL); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_driver_0(L_7); return; } IL_004d: { String_t* L_8 = V_0; RuntimeObject* L_9 = ConsoleDriver_CreateTermInfoDriver_m93B83A6BC60910A8FDFA247BE56A30055E687342(L_8, /*hidden argument*/NULL); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_driver_0(L_9); return; } } // System.IConsoleDriver System.ConsoleDriver::CreateNullConsoleDriver() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver_CreateNullConsoleDriver_mEBAC4A508B85C44CCA50312BDB64A1A1B30FDA17_MetadataUsageId); s_Il2CppMethodInitialized = true; } { NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D * L_0 = (NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D *)il2cpp_codegen_object_new(NullConsoleDriver_t4608D1A2E1195946C2945E3459E15364CF4EC43D_il2cpp_TypeInfo_var); NullConsoleDriver__ctor_mEF6695F8B8CEE021CD5EC693237034A53D484CB2(L_0, /*hidden argument*/NULL); return L_0; } } // System.IConsoleDriver System.ConsoleDriver::CreateWindowsConsoleDriver() IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateWindowsConsoleDriver_mB2C43CDD6BD7C2159D7B939D8EEBEA9BFC07F5DF (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver_CreateWindowsConsoleDriver_mB2C43CDD6BD7C2159D7B939D8EEBEA9BFC07F5DF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42 * L_0 = (WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42 *)il2cpp_codegen_object_new(WindowsConsoleDriver_t953AB92956013BD3ED7E260FEC4944E603008B42_il2cpp_TypeInfo_var); WindowsConsoleDriver__ctor_m9C9E675288391C478152CCB5789D7726611BF70D(L_0, /*hidden argument*/NULL); return L_0; } } // System.IConsoleDriver System.ConsoleDriver::CreateTermInfoDriver(System.String) IL2CPP_EXTERN_C IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR RuntimeObject* ConsoleDriver_CreateTermInfoDriver_m93B83A6BC60910A8FDFA247BE56A30055E687342 (String_t* ___term0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver_CreateTermInfoDriver_m93B83A6BC60910A8FDFA247BE56A30055E687342_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___term0; TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 * L_1 = (TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653 *)il2cpp_codegen_object_new(TermInfoDriver_t9D1F8B74E923C24C63FBE861B6DDCE7CF05A3653_il2cpp_TypeInfo_var); TermInfoDriver__ctor_mDBF60028AEDAE114F1EC4FA8538F29B49AB11EF2(L_1, L_0, /*hidden argument*/NULL); return L_1; } } // System.ConsoleKeyInfo System.ConsoleDriver::ReadKey(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ConsoleDriver_ReadKey_m26C9ECDAE36AEE4B923BFDD9420D341AB3DDA900 (bool ___intercept0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver_ReadKey_m26C9ECDAE36AEE4B923BFDD9420D341AB3DDA900_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); RuntimeObject* L_0 = ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->get_driver_0(); bool L_1 = ___intercept0; NullCheck(L_0); ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_2 = InterfaceFuncInvoker1< ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 , bool >::Invoke(0 /* System.ConsoleKeyInfo System.IConsoleDriver::ReadKey(System.Boolean) */, IConsoleDriver_t484163236D7810E338FC3D246EDF2DCAC42C0E37_il2cpp_TypeInfo_var, L_0, L_1); return L_2; } } // System.Boolean System.ConsoleDriver::get_IsConsole() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleDriver_get_IsConsole_m0C19F307DCAEDCC678CF0ABA69F8EF083090C731_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t G_B5_0 = 0; { IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); bool L_0 = ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->get_called_isatty_2(); if (!L_0) { goto IL_000d; } } { IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); bool L_1 = ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->get_is_console_1(); return L_1; } IL_000d: { IL2CPP_RUNTIME_CLASS_INIT(MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var); intptr_t L_2 = MonoIO_get_ConsoleOutput_m7E36914F192D603C50A8F39745F6443BB2882859(/*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); bool L_3 = ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37((intptr_t)L_2, /*hidden argument*/NULL); if (!L_3) { goto IL_0025; } } { IL2CPP_RUNTIME_CLASS_INIT(MonoIO_t1C937D98906A6B4CFC3F10BFC69C70F2F70166C6_il2cpp_TypeInfo_var); intptr_t L_4 = MonoIO_get_ConsoleInput_mFC797DF758331A0370296F8DF3136A6B9F1995DC(/*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); bool L_5 = ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37((intptr_t)L_4, /*hidden argument*/NULL); G_B5_0 = ((int32_t)(L_5)); goto IL_0026; } IL_0025: { G_B5_0 = 0; } IL_0026: { IL2CPP_RUNTIME_CLASS_INIT(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_is_console_1((bool)G_B5_0); ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->set_called_isatty_2((bool)1); bool L_6 = ((ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_StaticFields*)il2cpp_codegen_static_fields_for(ConsoleDriver_t4F24DB42600CA82912181D5D312902B8BEFEE101_il2cpp_TypeInfo_var))->get_is_console_1(); return L_6; } } // System.Boolean System.ConsoleDriver::Isatty(System.IntPtr) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37 (intptr_t ___handle0, const RuntimeMethod* method) { typedef bool (*ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37_ftn) (intptr_t); using namespace il2cpp::icalls; return ((ConsoleDriver_Isatty_m61E5B553BD3DCEA32A5ECB06C14F638D980F8B37_ftn)mscorlib::System::ConsoleDriver::Isatty) (___handle0); } // System.Int32 System.ConsoleDriver::InternalKeyAvailable(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ConsoleDriver_InternalKeyAvailable_m4A48787A04F55E95C2EFD79A4727132C4B5B3468 (int32_t ___ms_timeout0, const RuntimeMethod* method) { typedef int32_t (*ConsoleDriver_InternalKeyAvailable_m4A48787A04F55E95C2EFD79A4727132C4B5B3468_ftn) (int32_t); using namespace il2cpp::icalls; return ((ConsoleDriver_InternalKeyAvailable_m4A48787A04F55E95C2EFD79A4727132C4B5B3468_ftn)mscorlib::System::ConsoleDriver::InternalKeyAvailable) (___ms_timeout0); } // System.Boolean System.ConsoleDriver::TtySetup(System.String,System.String,System.Byte[]&,System.Int32*&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_TtySetup_m39158C369CFA6D426B61D89621BC077B4BB62A49 (String_t* ___keypadXmit0, String_t* ___teardown1, ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** ___control_characters2, int32_t** ___address3, const RuntimeMethod* method) { typedef bool (*ConsoleDriver_TtySetup_m39158C369CFA6D426B61D89621BC077B4BB62A49_ftn) (String_t*, String_t*, ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821**, int32_t**); using namespace il2cpp::icalls; return ((ConsoleDriver_TtySetup_m39158C369CFA6D426B61D89621BC077B4BB62A49_ftn)mscorlib::System::ConsoleDriver::TtySetup) (___keypadXmit0, ___teardown1, ___control_characters2, ___address3); } // System.Boolean System.ConsoleDriver::SetEcho(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleDriver_SetEcho_m7A27E092D9D79ED1033ACA3E033CAAEEA3E2B869 (bool ___wantEcho0, const RuntimeMethod* method) { typedef bool (*ConsoleDriver_SetEcho_m7A27E092D9D79ED1033ACA3E033CAAEEA3E2B869_ftn) (bool); using namespace il2cpp::icalls; return ((ConsoleDriver_SetEcho_m7A27E092D9D79ED1033ACA3E033CAAEEA3E2B869_ftn)mscorlib::System::ConsoleDriver::SetEcho) (___wantEcho0); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // Conversion methods for marshalling of: System.ConsoleKeyInfo IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_pinvoke(const ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768& unmarshaled, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_pinvoke& marshaled) { marshaled.____keyChar_0 = static_cast<uint8_t>(unmarshaled.get__keyChar_0()); marshaled.____key_1 = unmarshaled.get__key_1(); marshaled.____mods_2 = unmarshaled.get__mods_2(); } IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_pinvoke_back(const ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_pinvoke& marshaled, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768& unmarshaled) { Il2CppChar unmarshaled__keyChar_temp_0 = 0x0; unmarshaled__keyChar_temp_0 = static_cast<Il2CppChar>(marshaled.____keyChar_0); unmarshaled.set__keyChar_0(unmarshaled__keyChar_temp_0); int32_t unmarshaled__key_temp_1 = 0; unmarshaled__key_temp_1 = marshaled.____key_1; unmarshaled.set__key_1(unmarshaled__key_temp_1); int32_t unmarshaled__mods_temp_2 = 0; unmarshaled__mods_temp_2 = marshaled.____mods_2; unmarshaled.set__mods_2(unmarshaled__mods_temp_2); } // Conversion method for clean up from marshalling of: System.ConsoleKeyInfo IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_pinvoke_cleanup(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: System.ConsoleKeyInfo IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_com(const ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768& unmarshaled, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_com& marshaled) { marshaled.____keyChar_0 = static_cast<uint8_t>(unmarshaled.get__keyChar_0()); marshaled.____key_1 = unmarshaled.get__key_1(); marshaled.____mods_2 = unmarshaled.get__mods_2(); } IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_com_back(const ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_com& marshaled, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768& unmarshaled) { Il2CppChar unmarshaled__keyChar_temp_0 = 0x0; unmarshaled__keyChar_temp_0 = static_cast<Il2CppChar>(marshaled.____keyChar_0); unmarshaled.set__keyChar_0(unmarshaled__keyChar_temp_0); int32_t unmarshaled__key_temp_1 = 0; unmarshaled__key_temp_1 = marshaled.____key_1; unmarshaled.set__key_1(unmarshaled__key_temp_1); int32_t unmarshaled__mods_temp_2 = 0; unmarshaled__mods_temp_2 = marshaled.____mods_2; unmarshaled.set__mods_2(unmarshaled__mods_temp_2); } // Conversion method for clean up from marshalling of: System.ConsoleKeyInfo IL2CPP_EXTERN_C void ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshal_com_cleanup(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_marshaled_com& marshaled) { } // System.Void System.ConsoleKeyInfo::.ctor(System.Char,System.ConsoleKey,System.Boolean,System.Boolean,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, Il2CppChar ___keyChar0, int32_t ___key1, bool ___shift2, bool ___alt3, bool ___control4, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___key1; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000c; } } { int32_t L_1 = ___key1; if ((((int32_t)L_1) <= ((int32_t)((int32_t)255)))) { goto IL_0021; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral42CAA54DEC95448BFC9996931A9ABF8CD93DF00F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteralA62F2225BF70BFACCBC7F1EF2A397836717377DE, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98_RuntimeMethod_var); } IL_0021: { Il2CppChar L_4 = ___keyChar0; __this->set__keyChar_0(L_4); int32_t L_5 = ___key1; __this->set__key_1(L_5); __this->set__mods_2(0); bool L_6 = ___shift2; if (!L_6) { goto IL_0047; } } { int32_t L_7 = __this->get__mods_2(); __this->set__mods_2(((int32_t)((int32_t)L_7|(int32_t)2))); } IL_0047: { bool L_8 = ___alt3; if (!L_8) { goto IL_0059; } } { int32_t L_9 = __this->get__mods_2(); __this->set__mods_2(((int32_t)((int32_t)L_9|(int32_t)1))); } IL_0059: { bool L_10 = ___control4; if (!L_10) { goto IL_006b; } } { int32_t L_11 = __this->get__mods_2(); __this->set__mods_2(((int32_t)((int32_t)L_11|(int32_t)4))); } IL_006b: { return; } } IL2CPP_EXTERN_C void ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98_AdjustorThunk (RuntimeObject * __this, Il2CppChar ___keyChar0, int32_t ___key1, bool ___shift2, bool ___alt3, bool ___control4, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); ConsoleKeyInfo__ctor_mF5F427F75CCD5D4BCAADCE6AE31F61D70BD95B98(_thisAdjusted, ___keyChar0, ___key1, ___shift2, ___alt3, ___control4, method); } // System.Char System.ConsoleKeyInfo::get_KeyChar() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar ConsoleKeyInfo_get_KeyChar_m6B17C3F0DF650E04D7C0C081E063AE31E8C14509 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method) { { Il2CppChar L_0 = __this->get__keyChar_0(); return L_0; } } IL2CPP_EXTERN_C Il2CppChar ConsoleKeyInfo_get_KeyChar_m6B17C3F0DF650E04D7C0C081E063AE31E8C14509_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); return ConsoleKeyInfo_get_KeyChar_m6B17C3F0DF650E04D7C0C081E063AE31E8C14509_inline(_thisAdjusted, method); } // System.ConsoleKey System.ConsoleKeyInfo::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ConsoleKeyInfo_get_Key_m36CD740D4C51FB4F4277AC7E6CD24D79DF5C8AC5 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__key_1(); return L_0; } } IL2CPP_EXTERN_C int32_t ConsoleKeyInfo_get_Key_m36CD740D4C51FB4F4277AC7E6CD24D79DF5C8AC5_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); return ConsoleKeyInfo_get_Key_m36CD740D4C51FB4F4277AC7E6CD24D79DF5C8AC5_inline(_thisAdjusted, method); } // System.Boolean System.ConsoleKeyInfo::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_il2cpp_TypeInfo_var))) { goto IL_0015; } } { RuntimeObject * L_1 = ___value0; bool L_2 = ConsoleKeyInfo_Equals_m856A0CCC02F22515A8D33AB4B574FC2E7D42C13B((ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *)__this, ((*(ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *)((ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *)UnBox(L_1, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768_il2cpp_TypeInfo_var)))), /*hidden argument*/NULL); return L_2; } IL_0015: { return (bool)0; } } IL2CPP_EXTERN_C bool ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); return ConsoleKeyInfo_Equals_m81C3BF521051E75DDAFCC076087758659260B867(_thisAdjusted, ___value0, method); } // System.Boolean System.ConsoleKeyInfo::Equals(System.ConsoleKeyInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ConsoleKeyInfo_Equals_m856A0CCC02F22515A8D33AB4B574FC2E7D42C13B (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ___obj0, const RuntimeMethod* method) { { ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_0 = ___obj0; Il2CppChar L_1 = L_0.get__keyChar_0(); Il2CppChar L_2 = __this->get__keyChar_0(); if ((!(((uint32_t)L_1) == ((uint32_t)L_2)))) { goto IL_002b; } } { ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_3 = ___obj0; int32_t L_4 = L_3.get__key_1(); int32_t L_5 = __this->get__key_1(); if ((!(((uint32_t)L_4) == ((uint32_t)L_5)))) { goto IL_002b; } } { ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 L_6 = ___obj0; int32_t L_7 = L_6.get__mods_2(); int32_t L_8 = __this->get__mods_2(); return (bool)((((int32_t)L_7) == ((int32_t)L_8))? 1 : 0); } IL_002b: { return (bool)0; } } IL2CPP_EXTERN_C bool ConsoleKeyInfo_Equals_m856A0CCC02F22515A8D33AB4B574FC2E7D42C13B_AdjustorThunk (RuntimeObject * __this, ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 ___obj0, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); return ConsoleKeyInfo_Equals_m856A0CCC02F22515A8D33AB4B574FC2E7D42C13B(_thisAdjusted, ___obj0, method); } // System.Int32 System.ConsoleKeyInfo::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ConsoleKeyInfo_GetHashCode_mC17663E6043305F599B0AE2DC7534466C9CD6C28 (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method) { { Il2CppChar L_0 = __this->get__keyChar_0(); int32_t L_1 = __this->get__mods_2(); return ((int32_t)((int32_t)L_0|(int32_t)L_1)); } } IL2CPP_EXTERN_C int32_t ConsoleKeyInfo_GetHashCode_mC17663E6043305F599B0AE2DC7534466C9CD6C28_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * _thisAdjusted = reinterpret_cast<ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 *>(__this + _offset); return ConsoleKeyInfo_GetHashCode_mC17663E6043305F599B0AE2DC7534466C9CD6C28(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.ContextBoundObject::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ContextBoundObject__ctor_m39DB4687A77E8C96932EEDE05C2E804610B24F5A (ContextBoundObject_tB24722752964E8FCEB9E1E4F6707FA88DFA0DFF0 * __this, const RuntimeMethod* method) { { MarshalByRefObject__ctor_mD1C6F1D191B1A50DC93E8B214BCCA9BD93FDE850(__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.ContextStaticAttribute::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ContextStaticAttribute__ctor_mD5E2915052C052139CB7FF4890A7D7DEEA6E45A6 (ContextStaticAttribute_tDE78CF42C2CA6949E7E99D3E63D35003A0660AA6 * __this, const RuntimeMethod* method) { { Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.TypeCode System.Convert::GetTypeCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_GetTypeCode_mFE36252E332A7D699C91003DF56C37380C1AD58D (RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_GetTypeCode_mFE36252E332A7D699C91003DF56C37380C1AD58D_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; { RuntimeObject * L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (int32_t)(0); } IL_0005: { RuntimeObject * L_1 = ___value0; V_0 = ((RuntimeObject*)IsInst((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)); RuntimeObject* L_2 = V_0; if (!L_2) { goto IL_0016; } } { RuntimeObject* L_3 = V_0; NullCheck(L_3); int32_t L_4 = InterfaceFuncInvoker0< int32_t >::Invoke(0 /* System.TypeCode System.IConvertible::GetTypeCode() */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_3); return L_4; } IL_0016: { return (int32_t)(1); } } // System.Object System.Convert::ChangeType(System.Object,System.TypeCode,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492 (RuntimeObject * ___value0, int32_t ___typeCode1, RuntimeObject* ___provider2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; { RuntimeObject * L_0 = ___value0; if (L_0) { goto IL_0011; } } { int32_t L_1 = ___typeCode1; if (!L_1) { goto IL_000f; } } { int32_t L_2 = ___typeCode1; if ((((int32_t)L_2) == ((int32_t)((int32_t)18)))) { goto IL_000f; } } { int32_t L_3 = ___typeCode1; if ((!(((uint32_t)L_3) == ((uint32_t)1)))) { goto IL_0011; } } IL_000f: { return NULL; } IL_0011: { RuntimeObject * L_4 = ___value0; V_0 = ((RuntimeObject*)IsInst((RuntimeObject*)L_4, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)); RuntimeObject* L_5 = V_0; if (L_5) { goto IL_002b; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8E235C85706AEC625982AEEA41C686B14E89F326, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_7 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_RuntimeMethod_var); } IL_002b: { int32_t L_8 = ___typeCode1; switch (L_8) { case 0: { goto IL_0152; } case 1: { goto IL_0140; } case 2: { goto IL_0142; } case 3: { goto IL_0082; } case 4: { goto IL_008f; } case 5: { goto IL_009c; } case 6: { goto IL_00a9; } case 7: { goto IL_00b6; } case 8: { goto IL_00c3; } case 9: { goto IL_00d0; } case 10: { goto IL_00dd; } case 11: { goto IL_00ea; } case 12: { goto IL_00f7; } case 13: { goto IL_0104; } case 14: { goto IL_0111; } case 15: { goto IL_011e; } case 16: { goto IL_012b; } case 17: { goto IL_0162; } case 18: { goto IL_0138; } } } { goto IL_0162; } IL_0082: { RuntimeObject* L_9 = V_0; RuntimeObject* L_10 = ___provider2; NullCheck(L_9); bool L_11 = InterfaceFuncInvoker1< bool, RuntimeObject* >::Invoke(1 /* System.Boolean System.IConvertible::ToBoolean(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_9, L_10); bool L_12 = L_11; RuntimeObject * L_13 = Box(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_il2cpp_TypeInfo_var, &L_12); return L_13; } IL_008f: { RuntimeObject* L_14 = V_0; RuntimeObject* L_15 = ___provider2; NullCheck(L_14); Il2CppChar L_16 = InterfaceFuncInvoker1< Il2CppChar, RuntimeObject* >::Invoke(2 /* System.Char System.IConvertible::ToChar(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_14, L_15); Il2CppChar L_17 = L_16; RuntimeObject * L_18 = Box(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_il2cpp_TypeInfo_var, &L_17); return L_18; } IL_009c: { RuntimeObject* L_19 = V_0; RuntimeObject* L_20 = ___provider2; NullCheck(L_19); int8_t L_21 = InterfaceFuncInvoker1< int8_t, RuntimeObject* >::Invoke(3 /* System.SByte System.IConvertible::ToSByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_19, L_20); int8_t L_22 = L_21; RuntimeObject * L_23 = Box(SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_il2cpp_TypeInfo_var, &L_22); return L_23; } IL_00a9: { RuntimeObject* L_24 = V_0; RuntimeObject* L_25 = ___provider2; NullCheck(L_24); uint8_t L_26 = InterfaceFuncInvoker1< uint8_t, RuntimeObject* >::Invoke(4 /* System.Byte System.IConvertible::ToByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_24, L_25); uint8_t L_27 = L_26; RuntimeObject * L_28 = Box(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_il2cpp_TypeInfo_var, &L_27); return L_28; } IL_00b6: { RuntimeObject* L_29 = V_0; RuntimeObject* L_30 = ___provider2; NullCheck(L_29); int16_t L_31 = InterfaceFuncInvoker1< int16_t, RuntimeObject* >::Invoke(5 /* System.Int16 System.IConvertible::ToInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_29, L_30); int16_t L_32 = L_31; RuntimeObject * L_33 = Box(Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_il2cpp_TypeInfo_var, &L_32); return L_33; } IL_00c3: { RuntimeObject* L_34 = V_0; RuntimeObject* L_35 = ___provider2; NullCheck(L_34); uint16_t L_36 = InterfaceFuncInvoker1< uint16_t, RuntimeObject* >::Invoke(6 /* System.UInt16 System.IConvertible::ToUInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_34, L_35); uint16_t L_37 = L_36; RuntimeObject * L_38 = Box(UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_il2cpp_TypeInfo_var, &L_37); return L_38; } IL_00d0: { RuntimeObject* L_39 = V_0; RuntimeObject* L_40 = ___provider2; NullCheck(L_39); int32_t L_41 = InterfaceFuncInvoker1< int32_t, RuntimeObject* >::Invoke(7 /* System.Int32 System.IConvertible::ToInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_39, L_40); int32_t L_42 = L_41; RuntimeObject * L_43 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_42); return L_43; } IL_00dd: { RuntimeObject* L_44 = V_0; RuntimeObject* L_45 = ___provider2; NullCheck(L_44); uint32_t L_46 = InterfaceFuncInvoker1< uint32_t, RuntimeObject* >::Invoke(8 /* System.UInt32 System.IConvertible::ToUInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_44, L_45); uint32_t L_47 = L_46; RuntimeObject * L_48 = Box(UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_il2cpp_TypeInfo_var, &L_47); return L_48; } IL_00ea: { RuntimeObject* L_49 = V_0; RuntimeObject* L_50 = ___provider2; NullCheck(L_49); int64_t L_51 = InterfaceFuncInvoker1< int64_t, RuntimeObject* >::Invoke(9 /* System.Int64 System.IConvertible::ToInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_49, L_50); int64_t L_52 = L_51; RuntimeObject * L_53 = Box(Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_il2cpp_TypeInfo_var, &L_52); return L_53; } IL_00f7: { RuntimeObject* L_54 = V_0; RuntimeObject* L_55 = ___provider2; NullCheck(L_54); uint64_t L_56 = InterfaceFuncInvoker1< uint64_t, RuntimeObject* >::Invoke(10 /* System.UInt64 System.IConvertible::ToUInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_54, L_55); uint64_t L_57 = L_56; RuntimeObject * L_58 = Box(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_il2cpp_TypeInfo_var, &L_57); return L_58; } IL_0104: { RuntimeObject* L_59 = V_0; RuntimeObject* L_60 = ___provider2; NullCheck(L_59); float L_61 = InterfaceFuncInvoker1< float, RuntimeObject* >::Invoke(11 /* System.Single System.IConvertible::ToSingle(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_59, L_60); float L_62 = L_61; RuntimeObject * L_63 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_62); return L_63; } IL_0111: { RuntimeObject* L_64 = V_0; RuntimeObject* L_65 = ___provider2; NullCheck(L_64); double L_66 = InterfaceFuncInvoker1< double, RuntimeObject* >::Invoke(12 /* System.Double System.IConvertible::ToDouble(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_64, L_65); double L_67 = L_66; RuntimeObject * L_68 = Box(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_il2cpp_TypeInfo_var, &L_67); return L_68; } IL_011e: { RuntimeObject* L_69 = V_0; RuntimeObject* L_70 = ___provider2; NullCheck(L_69); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_71 = InterfaceFuncInvoker1< Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 , RuntimeObject* >::Invoke(13 /* System.Decimal System.IConvertible::ToDecimal(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_69, L_70); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_72 = L_71; RuntimeObject * L_73 = Box(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var, &L_72); return L_73; } IL_012b: { RuntimeObject* L_74 = V_0; RuntimeObject* L_75 = ___provider2; NullCheck(L_74); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_76 = InterfaceFuncInvoker1< DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 , RuntimeObject* >::Invoke(14 /* System.DateTime System.IConvertible::ToDateTime(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_74, L_75); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_77 = L_76; RuntimeObject * L_78 = Box(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var, &L_77); return L_78; } IL_0138: { RuntimeObject* L_79 = V_0; RuntimeObject* L_80 = ___provider2; NullCheck(L_79); String_t* L_81 = InterfaceFuncInvoker1< String_t*, RuntimeObject* >::Invoke(15 /* System.String System.IConvertible::ToString(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_79, L_80); return L_81; } IL_0140: { RuntimeObject * L_82 = ___value0; return L_82; } IL_0142: { String_t* L_83 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral55D1BE151653A5C241220EC0C5204A685F6D0FBA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_84 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_84, L_83, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_84, Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_RuntimeMethod_var); } IL_0152: { String_t* L_85 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral07BC1266D48DC029301AB121DA798327931365C6, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_86 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_86, L_85, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_86, Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_RuntimeMethod_var); } IL_0162: { String_t* L_87 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral40408F06D64C0A4EE51AF41707D5D544083B012D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_88 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_88, L_87, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_88, Convert_ChangeType_m249060C66D575F9C00BEE88FB15788CFED9AD492_RuntimeMethod_var); } } // System.Object System.Convert::DefaultToType(System.IConvertible,System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3 (RuntimeObject* ___value0, Type_t * ___targetType1, RuntimeObject* ___provider2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; { Type_t * L_0 = ___targetType1; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); bool L_1 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8(L_0, (Type_t *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_0014; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_2, _stringLiteralFA6B188D3101E2A5E782C1F0AF6FAFCA10C8BA53, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_RuntimeMethod_var); } IL_0014: { Type_t * L_3 = ___targetType1; V_0 = ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)IsInstClass((RuntimeObject*)L_3, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_4 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_5 = RuntimeType_op_Inequality_mA98A719712593FEE5DCCFDB47CCABDB58BEE1B0D(L_4, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)NULL, /*hidden argument*/NULL); if (!L_5) { goto IL_0242; } } { RuntimeObject* L_6 = ___value0; NullCheck(L_6); Type_t * L_7 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_6, /*hidden argument*/NULL); Type_t * L_8 = ___targetType1; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); bool L_9 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8(L_7, L_8, /*hidden argument*/NULL); if (!L_9) { goto IL_0037; } } { RuntimeObject* L_10 = ___value0; return L_10; } IL_0037: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_11 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_12 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_12); int32_t L_13 = 3; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = (L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_15 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_11, L_14, /*hidden argument*/NULL); if (!L_15) { goto IL_0053; } } { RuntimeObject* L_16 = ___value0; RuntimeObject* L_17 = ___provider2; NullCheck(L_16); bool L_18 = InterfaceFuncInvoker1< bool, RuntimeObject* >::Invoke(1 /* System.Boolean System.IConvertible::ToBoolean(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_16, L_17); bool L_19 = L_18; RuntimeObject * L_20 = Box(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_il2cpp_TypeInfo_var, &L_19); return L_20; } IL_0053: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_21 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_22 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_22); int32_t L_23 = 4; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_24 = (L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_25 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_21, L_24, /*hidden argument*/NULL); if (!L_25) { goto IL_006f; } } { RuntimeObject* L_26 = ___value0; RuntimeObject* L_27 = ___provider2; NullCheck(L_26); Il2CppChar L_28 = InterfaceFuncInvoker1< Il2CppChar, RuntimeObject* >::Invoke(2 /* System.Char System.IConvertible::ToChar(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_26, L_27); Il2CppChar L_29 = L_28; RuntimeObject * L_30 = Box(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_il2cpp_TypeInfo_var, &L_29); return L_30; } IL_006f: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_31 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_32 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_32); int32_t L_33 = 5; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_34 = (L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_35 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_31, L_34, /*hidden argument*/NULL); if (!L_35) { goto IL_008b; } } { RuntimeObject* L_36 = ___value0; RuntimeObject* L_37 = ___provider2; NullCheck(L_36); int8_t L_38 = InterfaceFuncInvoker1< int8_t, RuntimeObject* >::Invoke(3 /* System.SByte System.IConvertible::ToSByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_36, L_37); int8_t L_39 = L_38; RuntimeObject * L_40 = Box(SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_il2cpp_TypeInfo_var, &L_39); return L_40; } IL_008b: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_42 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_42); int32_t L_43 = 6; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_44 = (L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_43)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_45 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_41, L_44, /*hidden argument*/NULL); if (!L_45) { goto IL_00a7; } } { RuntimeObject* L_46 = ___value0; RuntimeObject* L_47 = ___provider2; NullCheck(L_46); uint8_t L_48 = InterfaceFuncInvoker1< uint8_t, RuntimeObject* >::Invoke(4 /* System.Byte System.IConvertible::ToByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_46, L_47); uint8_t L_49 = L_48; RuntimeObject * L_50 = Box(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_il2cpp_TypeInfo_var, &L_49); return L_50; } IL_00a7: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_52 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_52); int32_t L_53 = 7; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_54 = (L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_55 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_51, L_54, /*hidden argument*/NULL); if (!L_55) { goto IL_00c3; } } { RuntimeObject* L_56 = ___value0; RuntimeObject* L_57 = ___provider2; NullCheck(L_56); int16_t L_58 = InterfaceFuncInvoker1< int16_t, RuntimeObject* >::Invoke(5 /* System.Int16 System.IConvertible::ToInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_56, L_57); int16_t L_59 = L_58; RuntimeObject * L_60 = Box(Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_il2cpp_TypeInfo_var, &L_59); return L_60; } IL_00c3: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_61 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_62 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_62); int32_t L_63 = 8; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_64 = (L_62)->GetAt(static_cast<il2cpp_array_size_t>(L_63)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_65 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_61, L_64, /*hidden argument*/NULL); if (!L_65) { goto IL_00df; } } { RuntimeObject* L_66 = ___value0; RuntimeObject* L_67 = ___provider2; NullCheck(L_66); uint16_t L_68 = InterfaceFuncInvoker1< uint16_t, RuntimeObject* >::Invoke(6 /* System.UInt16 System.IConvertible::ToUInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_66, L_67); uint16_t L_69 = L_68; RuntimeObject * L_70 = Box(UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_il2cpp_TypeInfo_var, &L_69); return L_70; } IL_00df: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_71 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_72 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_72); int32_t L_73 = ((int32_t)9); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_74 = (L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_73)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_75 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_71, L_74, /*hidden argument*/NULL); if (!L_75) { goto IL_00fc; } } { RuntimeObject* L_76 = ___value0; RuntimeObject* L_77 = ___provider2; NullCheck(L_76); int32_t L_78 = InterfaceFuncInvoker1< int32_t, RuntimeObject* >::Invoke(7 /* System.Int32 System.IConvertible::ToInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_76, L_77); int32_t L_79 = L_78; RuntimeObject * L_80 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_79); return L_80; } IL_00fc: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_81 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_82 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_82); int32_t L_83 = ((int32_t)10); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_84 = (L_82)->GetAt(static_cast<il2cpp_array_size_t>(L_83)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_85 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_81, L_84, /*hidden argument*/NULL); if (!L_85) { goto IL_0119; } } { RuntimeObject* L_86 = ___value0; RuntimeObject* L_87 = ___provider2; NullCheck(L_86); uint32_t L_88 = InterfaceFuncInvoker1< uint32_t, RuntimeObject* >::Invoke(8 /* System.UInt32 System.IConvertible::ToUInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_86, L_87); uint32_t L_89 = L_88; RuntimeObject * L_90 = Box(UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_il2cpp_TypeInfo_var, &L_89); return L_90; } IL_0119: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_91 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_92 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_92); int32_t L_93 = ((int32_t)11); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_94 = (L_92)->GetAt(static_cast<il2cpp_array_size_t>(L_93)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_95 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_91, L_94, /*hidden argument*/NULL); if (!L_95) { goto IL_0136; } } { RuntimeObject* L_96 = ___value0; RuntimeObject* L_97 = ___provider2; NullCheck(L_96); int64_t L_98 = InterfaceFuncInvoker1< int64_t, RuntimeObject* >::Invoke(9 /* System.Int64 System.IConvertible::ToInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_96, L_97); int64_t L_99 = L_98; RuntimeObject * L_100 = Box(Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_il2cpp_TypeInfo_var, &L_99); return L_100; } IL_0136: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_101 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_102 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_102); int32_t L_103 = ((int32_t)12); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_104 = (L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_103)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_105 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_101, L_104, /*hidden argument*/NULL); if (!L_105) { goto IL_0153; } } { RuntimeObject* L_106 = ___value0; RuntimeObject* L_107 = ___provider2; NullCheck(L_106); uint64_t L_108 = InterfaceFuncInvoker1< uint64_t, RuntimeObject* >::Invoke(10 /* System.UInt64 System.IConvertible::ToUInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_106, L_107); uint64_t L_109 = L_108; RuntimeObject * L_110 = Box(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_il2cpp_TypeInfo_var, &L_109); return L_110; } IL_0153: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_111 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_112 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_112); int32_t L_113 = ((int32_t)13); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_114 = (L_112)->GetAt(static_cast<il2cpp_array_size_t>(L_113)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_115 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_111, L_114, /*hidden argument*/NULL); if (!L_115) { goto IL_0170; } } { RuntimeObject* L_116 = ___value0; RuntimeObject* L_117 = ___provider2; NullCheck(L_116); float L_118 = InterfaceFuncInvoker1< float, RuntimeObject* >::Invoke(11 /* System.Single System.IConvertible::ToSingle(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_116, L_117); float L_119 = L_118; RuntimeObject * L_120 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_119); return L_120; } IL_0170: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_121 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_122 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_122); int32_t L_123 = ((int32_t)14); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_124 = (L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_123)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_125 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_121, L_124, /*hidden argument*/NULL); if (!L_125) { goto IL_018d; } } { RuntimeObject* L_126 = ___value0; RuntimeObject* L_127 = ___provider2; NullCheck(L_126); double L_128 = InterfaceFuncInvoker1< double, RuntimeObject* >::Invoke(12 /* System.Double System.IConvertible::ToDouble(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_126, L_127); double L_129 = L_128; RuntimeObject * L_130 = Box(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_il2cpp_TypeInfo_var, &L_129); return L_130; } IL_018d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_131 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_132 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_132); int32_t L_133 = ((int32_t)15); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_134 = (L_132)->GetAt(static_cast<il2cpp_array_size_t>(L_133)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_135 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_131, L_134, /*hidden argument*/NULL); if (!L_135) { goto IL_01aa; } } { RuntimeObject* L_136 = ___value0; RuntimeObject* L_137 = ___provider2; NullCheck(L_136); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_138 = InterfaceFuncInvoker1< Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 , RuntimeObject* >::Invoke(13 /* System.Decimal System.IConvertible::ToDecimal(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_136, L_137); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_139 = L_138; RuntimeObject * L_140 = Box(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var, &L_139); return L_140; } IL_01aa: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_141 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_142 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_142); int32_t L_143 = ((int32_t)16); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_144 = (L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_143)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_145 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_141, L_144, /*hidden argument*/NULL); if (!L_145) { goto IL_01c7; } } { RuntimeObject* L_146 = ___value0; RuntimeObject* L_147 = ___provider2; NullCheck(L_146); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_148 = InterfaceFuncInvoker1< DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 , RuntimeObject* >::Invoke(14 /* System.DateTime System.IConvertible::ToDateTime(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_146, L_147); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_149 = L_148; RuntimeObject * L_150 = Box(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var, &L_149); return L_150; } IL_01c7: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_151 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_152 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_152); int32_t L_153 = ((int32_t)18); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_154 = (L_152)->GetAt(static_cast<il2cpp_array_size_t>(L_153)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_155 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_151, L_154, /*hidden argument*/NULL); if (!L_155) { goto IL_01df; } } { RuntimeObject* L_156 = ___value0; RuntimeObject* L_157 = ___provider2; NullCheck(L_156); String_t* L_158 = InterfaceFuncInvoker1< String_t*, RuntimeObject* >::Invoke(15 /* System.String System.IConvertible::ToString(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_156, L_157); return L_158; } IL_01df: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_159 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_160 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_160); int32_t L_161 = 1; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_162 = (L_160)->GetAt(static_cast<il2cpp_array_size_t>(L_161)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_163 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_159, L_162, /*hidden argument*/NULL); if (!L_163) { goto IL_01f0; } } { RuntimeObject* L_164 = ___value0; return L_164; } IL_01f0: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_165 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_166 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_EnumType_1(); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_167 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_165, L_166, /*hidden argument*/NULL); if (!L_167) { goto IL_0204; } } { RuntimeObject* L_168 = ___value0; return ((Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 *)CastclassClass((RuntimeObject*)L_168, Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var)); } IL_0204: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_169 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_170 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_170); int32_t L_171 = 2; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_172 = (L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_171)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_173 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_169, L_172, /*hidden argument*/NULL); if (!L_173) { goto IL_0223; } } { String_t* L_174 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral55D1BE151653A5C241220EC0C5204A685F6D0FBA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_175 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_175, L_174, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_175, Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_RuntimeMethod_var); } IL_0223: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_176 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_177 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_177); int32_t L_178 = 0; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_179 = (L_177)->GetAt(static_cast<il2cpp_array_size_t>(L_178)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_180 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_176, L_179, /*hidden argument*/NULL); if (!L_180) { goto IL_0242; } } { String_t* L_181 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral07BC1266D48DC029301AB121DA798327931365C6, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_182 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_182, L_181, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_182, Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_RuntimeMethod_var); } IL_0242: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_183 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_184 = L_183; RuntimeObject* L_185 = ___value0; NullCheck(L_185); Type_t * L_186 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_185, /*hidden argument*/NULL); NullCheck(L_186); String_t* L_187 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_FullName() */, L_186); NullCheck(L_184); ArrayElementTypeCheck (L_184, L_187); (L_184)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_187); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_188 = L_184; Type_t * L_189 = ___targetType1; NullCheck(L_189); String_t* L_190 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_FullName() */, L_189); NullCheck(L_188); ArrayElementTypeCheck (L_188, L_190); (L_188)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_190); String_t* L_191 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_188, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_192 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_192, L_191, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_192, Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3_RuntimeMethod_var); } } // System.Object System.Convert::ChangeType(System.Object,System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926 (RuntimeObject * ___value0, Type_t * ___conversionType1, RuntimeObject* ___provider2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; { Type_t * L_0 = ___conversionType1; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); bool L_1 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8(L_0, (Type_t *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_0014; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_2, _stringLiteral5D4EEE7520E3C4D7B6DAAA0FAF98E5446EEC12EF, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_RuntimeMethod_var); } IL_0014: { RuntimeObject * L_3 = ___value0; if (L_3) { goto IL_0031; } } { Type_t * L_4 = ___conversionType1; NullCheck(L_4); bool L_5 = Type_get_IsValueType_mDDCCBAE9B59A483CBC3E5C02E3D68CEBEB2E41A8(L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002f; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralE7A77DDE1DCF7766A8F2B41123A23E1C33F262A8, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_7 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_RuntimeMethod_var); } IL_002f: { return NULL; } IL_0031: { RuntimeObject * L_8 = ___value0; V_0 = ((RuntimeObject*)IsInst((RuntimeObject*)L_8, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)); RuntimeObject* L_9 = V_0; if (L_9) { goto IL_005b; } } { RuntimeObject * L_10 = ___value0; NullCheck(L_10); Type_t * L_11 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_10, /*hidden argument*/NULL); Type_t * L_12 = ___conversionType1; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); bool L_13 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8(L_11, L_12, /*hidden argument*/NULL); if (!L_13) { goto IL_004b; } } { RuntimeObject * L_14 = ___value0; return L_14; } IL_004b: { String_t* L_15 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8E235C85706AEC625982AEEA41C686B14E89F326, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_16 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_16, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16, Convert_ChangeType_m4F879F3D17C11FA0B648C99C6D3C42DD33F40926_RuntimeMethod_var); } IL_005b: { Type_t * L_17 = ___conversionType1; V_1 = ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)IsInstClass((RuntimeObject*)L_17, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_19 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_19); int32_t L_20 = 3; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_21 = (L_19)->GetAt(static_cast<il2cpp_array_size_t>(L_20)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_22 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_18, L_21, /*hidden argument*/NULL); if (!L_22) { goto IL_007e; } } { RuntimeObject* L_23 = V_0; RuntimeObject* L_24 = ___provider2; NullCheck(L_23); bool L_25 = InterfaceFuncInvoker1< bool, RuntimeObject* >::Invoke(1 /* System.Boolean System.IConvertible::ToBoolean(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_23, L_24); bool L_26 = L_25; RuntimeObject * L_27 = Box(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_il2cpp_TypeInfo_var, &L_26); return L_27; } IL_007e: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_28 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_29 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_29); int32_t L_30 = 4; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_31 = (L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_30)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_32 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_28, L_31, /*hidden argument*/NULL); if (!L_32) { goto IL_009a; } } { RuntimeObject* L_33 = V_0; RuntimeObject* L_34 = ___provider2; NullCheck(L_33); Il2CppChar L_35 = InterfaceFuncInvoker1< Il2CppChar, RuntimeObject* >::Invoke(2 /* System.Char System.IConvertible::ToChar(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_33, L_34); Il2CppChar L_36 = L_35; RuntimeObject * L_37 = Box(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_il2cpp_TypeInfo_var, &L_36); return L_37; } IL_009a: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_38 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_39 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_39); int32_t L_40 = 5; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = (L_39)->GetAt(static_cast<il2cpp_array_size_t>(L_40)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_42 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_38, L_41, /*hidden argument*/NULL); if (!L_42) { goto IL_00b6; } } { RuntimeObject* L_43 = V_0; RuntimeObject* L_44 = ___provider2; NullCheck(L_43); int8_t L_45 = InterfaceFuncInvoker1< int8_t, RuntimeObject* >::Invoke(3 /* System.SByte System.IConvertible::ToSByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_43, L_44); int8_t L_46 = L_45; RuntimeObject * L_47 = Box(SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_il2cpp_TypeInfo_var, &L_46); return L_47; } IL_00b6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_48 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_49 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_49); int32_t L_50 = 6; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = (L_49)->GetAt(static_cast<il2cpp_array_size_t>(L_50)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_52 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_48, L_51, /*hidden argument*/NULL); if (!L_52) { goto IL_00d2; } } { RuntimeObject* L_53 = V_0; RuntimeObject* L_54 = ___provider2; NullCheck(L_53); uint8_t L_55 = InterfaceFuncInvoker1< uint8_t, RuntimeObject* >::Invoke(4 /* System.Byte System.IConvertible::ToByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_53, L_54); uint8_t L_56 = L_55; RuntimeObject * L_57 = Box(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_il2cpp_TypeInfo_var, &L_56); return L_57; } IL_00d2: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_58 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_59 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_59); int32_t L_60 = 7; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_61 = (L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_60)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_62 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_58, L_61, /*hidden argument*/NULL); if (!L_62) { goto IL_00ee; } } { RuntimeObject* L_63 = V_0; RuntimeObject* L_64 = ___provider2; NullCheck(L_63); int16_t L_65 = InterfaceFuncInvoker1< int16_t, RuntimeObject* >::Invoke(5 /* System.Int16 System.IConvertible::ToInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_63, L_64); int16_t L_66 = L_65; RuntimeObject * L_67 = Box(Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_il2cpp_TypeInfo_var, &L_66); return L_67; } IL_00ee: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_68 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_69 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_69); int32_t L_70 = 8; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_71 = (L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_70)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_72 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_68, L_71, /*hidden argument*/NULL); if (!L_72) { goto IL_010a; } } { RuntimeObject* L_73 = V_0; RuntimeObject* L_74 = ___provider2; NullCheck(L_73); uint16_t L_75 = InterfaceFuncInvoker1< uint16_t, RuntimeObject* >::Invoke(6 /* System.UInt16 System.IConvertible::ToUInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_73, L_74); uint16_t L_76 = L_75; RuntimeObject * L_77 = Box(UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_il2cpp_TypeInfo_var, &L_76); return L_77; } IL_010a: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_78 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_79 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_79); int32_t L_80 = ((int32_t)9); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_81 = (L_79)->GetAt(static_cast<il2cpp_array_size_t>(L_80)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_82 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_78, L_81, /*hidden argument*/NULL); if (!L_82) { goto IL_0127; } } { RuntimeObject* L_83 = V_0; RuntimeObject* L_84 = ___provider2; NullCheck(L_83); int32_t L_85 = InterfaceFuncInvoker1< int32_t, RuntimeObject* >::Invoke(7 /* System.Int32 System.IConvertible::ToInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_83, L_84); int32_t L_86 = L_85; RuntimeObject * L_87 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_86); return L_87; } IL_0127: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_88 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_89 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_89); int32_t L_90 = ((int32_t)10); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_91 = (L_89)->GetAt(static_cast<il2cpp_array_size_t>(L_90)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_92 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_88, L_91, /*hidden argument*/NULL); if (!L_92) { goto IL_0144; } } { RuntimeObject* L_93 = V_0; RuntimeObject* L_94 = ___provider2; NullCheck(L_93); uint32_t L_95 = InterfaceFuncInvoker1< uint32_t, RuntimeObject* >::Invoke(8 /* System.UInt32 System.IConvertible::ToUInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_93, L_94); uint32_t L_96 = L_95; RuntimeObject * L_97 = Box(UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_il2cpp_TypeInfo_var, &L_96); return L_97; } IL_0144: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_98 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_99 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_99); int32_t L_100 = ((int32_t)11); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_101 = (L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_100)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_102 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_98, L_101, /*hidden argument*/NULL); if (!L_102) { goto IL_0161; } } { RuntimeObject* L_103 = V_0; RuntimeObject* L_104 = ___provider2; NullCheck(L_103); int64_t L_105 = InterfaceFuncInvoker1< int64_t, RuntimeObject* >::Invoke(9 /* System.Int64 System.IConvertible::ToInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_103, L_104); int64_t L_106 = L_105; RuntimeObject * L_107 = Box(Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_il2cpp_TypeInfo_var, &L_106); return L_107; } IL_0161: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_108 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_109 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_109); int32_t L_110 = ((int32_t)12); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_111 = (L_109)->GetAt(static_cast<il2cpp_array_size_t>(L_110)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_112 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_108, L_111, /*hidden argument*/NULL); if (!L_112) { goto IL_017e; } } { RuntimeObject* L_113 = V_0; RuntimeObject* L_114 = ___provider2; NullCheck(L_113); uint64_t L_115 = InterfaceFuncInvoker1< uint64_t, RuntimeObject* >::Invoke(10 /* System.UInt64 System.IConvertible::ToUInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_113, L_114); uint64_t L_116 = L_115; RuntimeObject * L_117 = Box(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_il2cpp_TypeInfo_var, &L_116); return L_117; } IL_017e: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_118 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_119 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_119); int32_t L_120 = ((int32_t)13); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_121 = (L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_120)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_122 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_118, L_121, /*hidden argument*/NULL); if (!L_122) { goto IL_019b; } } { RuntimeObject* L_123 = V_0; RuntimeObject* L_124 = ___provider2; NullCheck(L_123); float L_125 = InterfaceFuncInvoker1< float, RuntimeObject* >::Invoke(11 /* System.Single System.IConvertible::ToSingle(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_123, L_124); float L_126 = L_125; RuntimeObject * L_127 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_126); return L_127; } IL_019b: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_128 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_129 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_129); int32_t L_130 = ((int32_t)14); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_131 = (L_129)->GetAt(static_cast<il2cpp_array_size_t>(L_130)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_132 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_128, L_131, /*hidden argument*/NULL); if (!L_132) { goto IL_01b8; } } { RuntimeObject* L_133 = V_0; RuntimeObject* L_134 = ___provider2; NullCheck(L_133); double L_135 = InterfaceFuncInvoker1< double, RuntimeObject* >::Invoke(12 /* System.Double System.IConvertible::ToDouble(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_133, L_134); double L_136 = L_135; RuntimeObject * L_137 = Box(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_il2cpp_TypeInfo_var, &L_136); return L_137; } IL_01b8: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_138 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_139 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_139); int32_t L_140 = ((int32_t)15); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_141 = (L_139)->GetAt(static_cast<il2cpp_array_size_t>(L_140)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_142 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_138, L_141, /*hidden argument*/NULL); if (!L_142) { goto IL_01d5; } } { RuntimeObject* L_143 = V_0; RuntimeObject* L_144 = ___provider2; NullCheck(L_143); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_145 = InterfaceFuncInvoker1< Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 , RuntimeObject* >::Invoke(13 /* System.Decimal System.IConvertible::ToDecimal(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_143, L_144); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_146 = L_145; RuntimeObject * L_147 = Box(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var, &L_146); return L_147; } IL_01d5: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_148 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_149 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_149); int32_t L_150 = ((int32_t)16); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_151 = (L_149)->GetAt(static_cast<il2cpp_array_size_t>(L_150)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_152 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_148, L_151, /*hidden argument*/NULL); if (!L_152) { goto IL_01f2; } } { RuntimeObject* L_153 = V_0; RuntimeObject* L_154 = ___provider2; NullCheck(L_153); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_155 = InterfaceFuncInvoker1< DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 , RuntimeObject* >::Invoke(14 /* System.DateTime System.IConvertible::ToDateTime(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_153, L_154); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_156 = L_155; RuntimeObject * L_157 = Box(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var, &L_156); return L_157; } IL_01f2: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_158 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_159 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_159); int32_t L_160 = ((int32_t)18); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_161 = (L_159)->GetAt(static_cast<il2cpp_array_size_t>(L_160)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_162 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_158, L_161, /*hidden argument*/NULL); if (!L_162) { goto IL_020a; } } { RuntimeObject* L_163 = V_0; RuntimeObject* L_164 = ___provider2; NullCheck(L_163); String_t* L_165 = InterfaceFuncInvoker1< String_t*, RuntimeObject* >::Invoke(15 /* System.String System.IConvertible::ToString(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_163, L_164); return L_165; } IL_020a: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_166 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_167 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_ConvertTypes_0(); NullCheck(L_167); int32_t L_168 = 1; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_169 = (L_167)->GetAt(static_cast<il2cpp_array_size_t>(L_168)); IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); bool L_170 = RuntimeType_op_Equality_mB551059029FC92ABEFC75A240B80302BE8302CA4(L_166, L_169, /*hidden argument*/NULL); if (!L_170) { goto IL_021b; } } { RuntimeObject * L_171 = ___value0; return L_171; } IL_021b: { RuntimeObject* L_172 = V_0; Type_t * L_173 = ___conversionType1; RuntimeObject* L_174 = ___provider2; NullCheck(L_172); RuntimeObject * L_175 = InterfaceFuncInvoker2< RuntimeObject *, Type_t *, RuntimeObject* >::Invoke(16 /* System.Object System.IConvertible::ToType(System.Type,System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_172, L_173, L_174); return L_175; } } // System.Boolean System.Convert::ToBoolean(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m881535C7C6F8B032F5883E7F18A90C27690FB5E4 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBoolean_m881535C7C6F8B032F5883E7F18A90C27690FB5E4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); bool L_3 = InterfaceFuncInvoker1< bool, RuntimeObject* >::Invoke(1 /* System.Boolean System.IConvertible::ToBoolean(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (bool)0; } } // System.Boolean System.Convert::ToBoolean(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_mB7E94BAE3523E19C8743457112EC6B76B775AC44 (int8_t ___value0, const RuntimeMethod* method) { { int8_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_mC149366F949BE8368C7C7C7BF3830DE15EA40AA8 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m06007FC94CD66F1273731E389C6C7DC24B02B505 (int16_t ___value0, const RuntimeMethod* method) { { int16_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m1AFE52438BC600124643ECEB4EDF9C3FE21171FE (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m30441623AE02A6C619CB77CD91B6A6199B90BC94 (int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m26CFF98BC762FA7371C580FB19013250FD567F46 (uint32_t ___value0, const RuntimeMethod* method) { { uint32_t L_0 = ___value0; return (bool)((!(((uint32_t)L_0) <= ((uint32_t)0)))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m6EB15B3E1D9AC269065DB500E880A81AA42AF5E7 (int64_t ___value0, const RuntimeMethod* method) { { int64_t L_0 = ___value0; return (bool)((!(((uint64_t)L_0) <= ((uint64_t)(((int64_t)((int64_t)0))))))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m545BC5397A9E121A21E4891E2A76A8C2B31D59D2 (uint64_t ___value0, const RuntimeMethod* method) { { uint64_t L_0 = ___value0; return (bool)((!(((uint64_t)L_0) <= ((uint64_t)(((int64_t)((int64_t)0))))))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_mB50CA6A7A647629B5CCC6BA10A06903B1912AF40 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBoolean_mB50CA6A7A647629B5CCC6BA10A06903B1912AF40_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (bool)0; } IL_0005: { String_t* L_1 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_il2cpp_TypeInfo_var); bool L_2 = Boolean_Parse_m82CC57BC939797529A5CC485B6C26E8CE67A646F(L_1, /*hidden argument*/NULL); return L_2; } } // System.Boolean System.Convert::ToBoolean(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_mC00CC1575D48C5527CFADA8E1B2328E88341F86A (float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; return (bool)((((int32_t)((((float)L_0) == ((float)(0.0f)))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m23B521E072296AA7D4F9FA80D35E27C306B5ABDF (double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; return (bool)((((int32_t)((((double)L_0) == ((double)(0.0)))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.Convert::ToBoolean(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Convert_ToBoolean_m4C852F7D316D28B27B202BC731B26EA79F2955E0 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBoolean_m4C852F7D316D28B27B202BC731B26EA79F2955E0_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = ((Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields*)il2cpp_codegen_static_fields_for(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var))->get_Zero_7(); bool L_2 = Decimal_op_Inequality_m18DB27574F40577B4D0D3C732BDA45135B41FD3D(L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Char System.Convert::ToChar(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m94EF86BDBD5110CF4C652C48A625F546AA24CE95 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m94EF86BDBD5110CF4C652C48A625F546AA24CE95_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); Il2CppChar L_3 = InterfaceFuncInvoker1< Il2CppChar, RuntimeObject* >::Invoke(2 /* System.Char System.IConvertible::ToChar(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return 0; } } // System.Char System.Convert::ToChar(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m5A1F3909973CE4894614B7444B430BE562456F8C (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m5A1F3909973CE4894614B7444B430BE562456F8C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToChar_m5A1F3909973CE4894614B7444B430BE562456F8C_RuntimeMethod_var); } IL_0014: { int8_t L_3 = ___value0; return (((int32_t)((uint16_t)L_3))); } } // System.Char System.Convert::ToChar(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m2FF337FDDCAD52939473E0D7ED3FBFD49A4C2E18 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return L_0; } } // System.Char System.Convert::ToChar(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m9F32E993218E9D544A9FCC6FE50D6501A838315F (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m9F32E993218E9D544A9FCC6FE50D6501A838315F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToChar_m9F32E993218E9D544A9FCC6FE50D6501A838315F_RuntimeMethod_var); } IL_0014: { int16_t L_3 = ___value0; return (((int32_t)((uint16_t)L_3))); } } // System.Char System.Convert::ToChar(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m14666E8E6027FFF4BFA6DA0563A4CAAEA6A6989B (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return L_0; } } // System.Char System.Convert::ToChar(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m5BD134B72978B879B81A824DFAC8FF29F5300245 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m5BD134B72978B879B81A824DFAC8FF29F5300245_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000c; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)65535)))) { goto IL_001c; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToChar_m5BD134B72978B879B81A824DFAC8FF29F5300245_RuntimeMethod_var); } IL_001c: { int32_t L_4 = ___value0; return (((int32_t)((uint16_t)L_4))); } } // System.Char System.Convert::ToChar(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m56A1099464A288FD3AB6F82B7433DB063F671B29 (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m56A1099464A288FD3AB6F82B7433DB063F671B29_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((!(((uint32_t)L_0) > ((uint32_t)((int32_t)65535))))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToChar_m56A1099464A288FD3AB6F82B7433DB063F671B29_RuntimeMethod_var); } IL_0018: { uint32_t L_3 = ___value0; return (((int32_t)((uint16_t)L_3))); } } // System.Char System.Convert::ToChar(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_m9171D149D77DE0FBB36CB4D91EEBDC06B2DD6F29 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_m9171D149D77DE0FBB36CB4D91EEBDC06B2DD6F29_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_000e; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)65535))))))) { goto IL_001e; } } IL_000e: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToChar_m9171D149D77DE0FBB36CB4D91EEBDC06B2DD6F29_RuntimeMethod_var); } IL_001e: { int64_t L_4 = ___value0; return (((int32_t)((uint16_t)L_4))); } } // System.Char System.Convert::ToChar(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_mBFD88FBE8D41F3FEB4049B8EF556C2D996F5F531 (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_mBFD88FBE8D41F3FEB4049B8EF556C2D996F5F531_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)65535)))))))) { goto IL_0019; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB1681634D48A9755494C96B393FE12BE3E4C2409, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToChar_mBFD88FBE8D41F3FEB4049B8EF556C2D996F5F531_RuntimeMethod_var); } IL_0019: { uint64_t L_3 = ___value0; return (((int32_t)((uint16_t)L_3))); } } // System.Char System.Convert::ToChar(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF_RuntimeMethod_var); } IL_000e: { String_t* L_2 = ___value0; NullCheck(L_2); int32_t L_3 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB66A404869995E54B8D48D938E63CA3C7D1C7DCD, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_5 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToChar_mA5935B08EA798B0EFFE6EA960B9F23B43F8F44AF_RuntimeMethod_var); } IL_0027: { String_t* L_6 = ___value0; NullCheck(L_6); Il2CppChar L_7 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_6, 0, /*hidden argument*/NULL); return L_7; } } // System.SByte System.Convert::ToSByte(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m2716303126BD8C930D1D4E8590F8706A8F26AD48 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m2716303126BD8C930D1D4E8590F8706A8F26AD48_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); int8_t L_3 = InterfaceFuncInvoker1< int8_t, RuntimeObject* >::Invoke(3 /* System.SByte System.IConvertible::ToSByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (int8_t)0; } } // System.SByte System.Convert::ToSByte(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_mE5314E3F9BD2A1FB38C2E8F91065A515DB980349 (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (int8_t)0; } IL_0005: { return (int8_t)1; } } // System.SByte System.Convert::ToSByte(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m0D0A382E0BFF2DAE7019CAB2F6309EB48EFFFD94 (Il2CppChar ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m0D0A382E0BFF2DAE7019CAB2F6309EB48EFFFD94_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Il2CppChar L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)127)))) { goto IL_0015; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToSByte_m0D0A382E0BFF2DAE7019CAB2F6309EB48EFFFD94_RuntimeMethod_var); } IL_0015: { Il2CppChar L_3 = ___value0; return (((int8_t)((int8_t)L_3))); } } // System.SByte System.Convert::ToSByte(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m750B83AD00E06419AEDFE4436323AF85520E3E00 (uint8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m750B83AD00E06419AEDFE4436323AF85520E3E00_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint8_t L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)127)))) { goto IL_0015; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToSByte_m750B83AD00E06419AEDFE4436323AF85520E3E00_RuntimeMethod_var); } IL_0015: { uint8_t L_3 = ___value0; return (((int8_t)((int8_t)L_3))); } } // System.SByte System.Convert::ToSByte(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_mCC85C35F01295663A487DDA2C4855C5962ADA2AF (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_mCC85C35F01295663A487DDA2C4855C5962ADA2AF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)((int32_t)-128)))) { goto IL_000a; } } { int16_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)127)))) { goto IL_001a; } } IL_000a: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToSByte_mCC85C35F01295663A487DDA2C4855C5962ADA2AF_RuntimeMethod_var); } IL_001a: { int16_t L_4 = ___value0; return (((int8_t)((int8_t)L_4))); } } // System.SByte System.Convert::ToSByte(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m4455F931B18E5D87DE1F99B2686F3D4770E9D177 (uint16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m4455F931B18E5D87DE1F99B2686F3D4770E9D177_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint16_t L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)127)))) { goto IL_0015; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToSByte_m4455F931B18E5D87DE1F99B2686F3D4770E9D177_RuntimeMethod_var); } IL_0015: { uint16_t L_3 = ___value0; return (((int8_t)((int8_t)L_3))); } } // System.SByte System.Convert::ToSByte(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)((int32_t)-128)))) { goto IL_000a; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)127)))) { goto IL_001a; } } IL_000a: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34_RuntimeMethod_var); } IL_001a: { int32_t L_4 = ___value0; return (((int8_t)((int8_t)L_4))); } } // System.SByte System.Convert::ToSByte(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m2BA3408A7B10119B60B923928EFCFA17D3C46D50 (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m2BA3408A7B10119B60B923928EFCFA17D3C46D50_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((((int64_t)(((int64_t)((uint64_t)L_0)))) <= ((int64_t)(((int64_t)((int64_t)((int32_t)127))))))) { goto IL_0017; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToSByte_m2BA3408A7B10119B60B923928EFCFA17D3C46D50_RuntimeMethod_var); } IL_0017: { uint32_t L_3 = ___value0; return (((int8_t)((int8_t)L_3))); } } // System.SByte System.Convert::ToSByte(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m1A4B3CD0081049789B368AE723C5214669A80767 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m1A4B3CD0081049789B368AE723C5214669A80767_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)((int32_t)-128))))))) { goto IL_000c; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)127))))))) { goto IL_001c; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToSByte_m1A4B3CD0081049789B368AE723C5214669A80767_RuntimeMethod_var); } IL_001c: { int64_t L_4 = ___value0; return (((int8_t)((int8_t)L_4))); } } // System.SByte System.Convert::ToSByte(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m5F3E822A40FB8BC9DCE9D39C07D0BFDB5CAE38C3 (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m5F3E822A40FB8BC9DCE9D39C07D0BFDB5CAE38C3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)127)))))))) { goto IL_0016; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToSByte_m5F3E822A40FB8BC9DCE9D39C07D0BFDB5CAE38C3_RuntimeMethod_var); } IL_0016: { uint64_t L_3 = ___value0; return (((int8_t)((int8_t)L_3))); } } // System.SByte System.Convert::ToSByte(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_mFFC0642A84BC819A5DED67F18AD2ED18A8F80CD1 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_mFFC0642A84BC819A5DED67F18AD2ED18A8F80CD1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int8_t L_1 = Convert_ToSByte_m286EC501DE7B1980DE30BBB28DDA70AE4BB696E5((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.SByte System.Convert::ToSByte(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m286EC501DE7B1980DE30BBB28DDA70AE4BB696E5 (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m286EC501DE7B1980DE30BBB28DDA70AE4BB696E5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C(L_0, /*hidden argument*/NULL); int8_t L_2 = Convert_ToSByte_m65A58DC38CC3A2E7B1D2546EC2FE0803AAB03F34(L_1, /*hidden argument*/NULL); return L_2; } } // System.SByte System.Convert::ToSByte(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m97BA7655D1C139BC268A90E503AFD4489558BE32 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m97BA7655D1C139BC268A90E503AFD4489558BE32_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); int8_t L_2 = Decimal_ToSByte_m7AB199A01D92932483C3F2B1CA7C5C837758395D(L_1, /*hidden argument*/NULL); return L_2; } } // System.SByte System.Convert::ToSByte(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m99276268DD000617F23A0B3445C4CA2A8B2BD275 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; RuntimeObject* L_1 = ___provider1; int8_t L_2 = SByte_Parse_m3CCD04AED0DC62F729DFA2FF45DA1E4C8BACDD60(L_0, 7, L_1, /*hidden argument*/NULL); return L_2; } } // System.Byte System.Convert::ToByte(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m71CFEFDB61F13E2AD7ECF91BA5DEE0616C1E857A (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m71CFEFDB61F13E2AD7ECF91BA5DEE0616C1E857A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); uint8_t L_3 = InterfaceFuncInvoker1< uint8_t, RuntimeObject* >::Invoke(4 /* System.Byte System.IConvertible::ToByte(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (uint8_t)0; } } // System.Byte System.Convert::ToByte(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m2F75DB84C61D7D1D64393FD5756A9C9DE04FF716 (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (uint8_t)0; } IL_0005: { return (uint8_t)1; } } // System.Byte System.Convert::ToByte(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mF058F63299585352A96AB211EF4DA55B9996ADA5 (Il2CppChar ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mF058F63299585352A96AB211EF4DA55B9996ADA5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Il2CppChar L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)255)))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToByte_mF058F63299585352A96AB211EF4DA55B9996ADA5_RuntimeMethod_var); } IL_0018: { Il2CppChar L_3 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_3))); } } // System.Byte System.Convert::ToByte(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m7D3D6E8B30620A208FC31EE6C29087EA6FDFF923 (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m7D3D6E8B30620A208FC31EE6C29087EA6FDFF923_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToByte_m7D3D6E8B30620A208FC31EE6C29087EA6FDFF923_RuntimeMethod_var); } IL_0014: { int8_t L_3 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_3))); } } // System.Byte System.Convert::ToByte(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m2DDDB2A7442059FE2185B347BB71BF7577781807 (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m2DDDB2A7442059FE2185B347BB71BF7577781807_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000c; } } { int16_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)255)))) { goto IL_001c; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToByte_m2DDDB2A7442059FE2185B347BB71BF7577781807_RuntimeMethod_var); } IL_001c: { int16_t L_4 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_4))); } } // System.Byte System.Convert::ToByte(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m4D9F94693332601CE2F1CF8DB9933F7C0FE882B1 (uint16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m4D9F94693332601CE2F1CF8DB9933F7C0FE882B1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint16_t L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)255)))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToByte_m4D9F94693332601CE2F1CF8DB9933F7C0FE882B1_RuntimeMethod_var); } IL_0018: { uint16_t L_3 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_3))); } } // System.Byte System.Convert::ToByte(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000c; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)255)))) { goto IL_001c; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64_RuntimeMethod_var); } IL_001c: { int32_t L_4 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_4))); } } // System.Byte System.Convert::ToByte(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m5B2E3D791EE1E14A7604D126C24AA62FE2587B60 (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m5B2E3D791EE1E14A7604D126C24AA62FE2587B60_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((!(((uint32_t)L_0) > ((uint32_t)((int32_t)255))))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToByte_m5B2E3D791EE1E14A7604D126C24AA62FE2587B60_RuntimeMethod_var); } IL_0018: { uint32_t L_3 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_3))); } } // System.Byte System.Convert::ToByte(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m645FE381788C101B2BE504F57811E655AD432935 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m645FE381788C101B2BE504F57811E655AD432935_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_000e; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)255))))))) { goto IL_001e; } } IL_000e: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToByte_m645FE381788C101B2BE504F57811E655AD432935_RuntimeMethod_var); } IL_001e: { int64_t L_4 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_4))); } } // System.Byte System.Convert::ToByte(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mBA74300A0EBF60E75A3ABED4AA4AAB62DF40014A (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mBA74300A0EBF60E75A3ABED4AA4AAB62DF40014A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)255)))))))) { goto IL_0019; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToByte_mBA74300A0EBF60E75A3ABED4AA4AAB62DF40014A_RuntimeMethod_var); } IL_0019: { uint64_t L_3 = ___value0; return (uint8_t)(((int32_t)((uint8_t)L_3))); } } // System.Byte System.Convert::ToByte(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mBF7D0A7CFDAB28F8B3D979168CFE7A6404A2A606 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mBF7D0A7CFDAB28F8B3D979168CFE7A6404A2A606_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); uint8_t L_1 = Convert_ToByte_m91AFBFC15EA62AF9EA9826E3F777635C1E18F32C((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.Byte System.Convert::ToByte(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m91AFBFC15EA62AF9EA9826E3F777635C1E18F32C (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m91AFBFC15EA62AF9EA9826E3F777635C1E18F32C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C(L_0, /*hidden argument*/NULL); uint8_t L_2 = Convert_ToByte_mC952E2B42FF6008EF2123228A0BFB9054531EB64(L_1, /*hidden argument*/NULL); return L_2; } } // System.Byte System.Convert::ToByte(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mA8B21973561985CBAAAE340648DFCBE6B1A04771 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mA8B21973561985CBAAAE340648DFCBE6B1A04771_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); uint8_t L_2 = Decimal_ToByte_mE1A4E4DBE29BA89E812BA28BC7B637B849DC2526(L_1, /*hidden argument*/NULL); return L_2; } } // System.Byte System.Convert::ToByte(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mF5A487816056F3D1509511E3CD8FA1DF3D91F581 (String_t* ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_mF5A487816056F3D1509511E3CD8FA1DF3D91F581_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (uint8_t)0; } IL_0005: { String_t* L_1 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_2 = CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831(/*hidden argument*/NULL); uint8_t L_3 = Byte_Parse_mEFBC459D6ADA0FED490539CD8731E45AE2D2587C(L_1, L_2, /*hidden argument*/NULL); return L_3; } } // System.Byte System.Convert::ToByte(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_mD97407CDB2EE7955D3079D19DA2BD731F83920B7 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (uint8_t)0; } IL_0005: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; uint8_t L_3 = Byte_Parse_mF53D7EFF3FC8B040EE675E62145287C7F728F772(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int16 System.Convert::ToInt16(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m9E4E48A97E050355468F58D2EAEB3AB3C811CE8B (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m9E4E48A97E050355468F58D2EAEB3AB3C811CE8B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); int16_t L_3 = InterfaceFuncInvoker1< int16_t, RuntimeObject* >::Invoke(5 /* System.Int16 System.IConvertible::ToInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (int16_t)0; } } // System.Int16 System.Convert::ToInt16(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mE5AC67CF54A1DC058F4FF94444E2BED13D4E41A1 (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (int16_t)0; } IL_0005: { return (int16_t)1; } } // System.Int16 System.Convert::ToInt16(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mBAB0E578750A2DE0990F9B301C7CBE2397A61A35 (Il2CppChar ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_mBAB0E578750A2DE0990F9B301C7CBE2397A61A35_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Il2CppChar L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)32767)))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt16_mBAB0E578750A2DE0990F9B301C7CBE2397A61A35_RuntimeMethod_var); } IL_0018: { Il2CppChar L_3 = ___value0; return (((int16_t)((int16_t)L_3))); } } // System.Int16 System.Convert::ToInt16(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m53B289D51E0000689AD2D0D8B64C9FC52E25382D (int8_t ___value0, const RuntimeMethod* method) { { int8_t L_0 = ___value0; return L_0; } } // System.Int16 System.Convert::ToInt16(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mEC55F68B89662CDBC0E1D7D596EC04153B377E60 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return L_0; } } // System.Int16 System.Convert::ToInt16(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m57BC4B92DCAEAA22820CD1915778B407AC23D9C5 (uint16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m57BC4B92DCAEAA22820CD1915778B407AC23D9C5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint16_t L_0 = ___value0; if ((((int32_t)L_0) <= ((int32_t)((int32_t)32767)))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt16_m57BC4B92DCAEAA22820CD1915778B407AC23D9C5_RuntimeMethod_var); } IL_0018: { uint16_t L_3 = ___value0; return (((int16_t)((int16_t)L_3))); } } // System.Int16 System.Convert::ToInt16(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)((int32_t)-32768)))) { goto IL_0010; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)32767)))) { goto IL_0020; } } IL_0010: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3_RuntimeMethod_var); } IL_0020: { int32_t L_4 = ___value0; return (((int16_t)((int16_t)L_4))); } } // System.Int16 System.Convert::ToInt16(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mE8E094D5AD321E5E6756E332116FAF1C084A1CD2 (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_mE8E094D5AD321E5E6756E332116FAF1C084A1CD2_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((((int64_t)(((int64_t)((uint64_t)L_0)))) <= ((int64_t)(((int64_t)((int64_t)((int32_t)32767))))))) { goto IL_001a; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt16_mE8E094D5AD321E5E6756E332116FAF1C084A1CD2_RuntimeMethod_var); } IL_001a: { uint32_t L_3 = ___value0; return (((int16_t)((int16_t)L_3))); } } // System.Int16 System.Convert::ToInt16(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m452BBDF72FBBBF90915F464E0558DA82CE1F7DBF (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m452BBDF72FBBBF90915F464E0558DA82CE1F7DBF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)((int32_t)-32768))))))) { goto IL_0012; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)32767))))))) { goto IL_0022; } } IL_0012: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToInt16_m452BBDF72FBBBF90915F464E0558DA82CE1F7DBF_RuntimeMethod_var); } IL_0022: { int64_t L_4 = ___value0; return (((int16_t)((int16_t)L_4))); } } // System.Int16 System.Convert::ToInt16(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mC121EAEA7C8458D987480F1669C6A40082AA93C1 (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_mC121EAEA7C8458D987480F1669C6A40082AA93C1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)32767)))))))) { goto IL_0019; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt16_mC121EAEA7C8458D987480F1669C6A40082AA93C1_RuntimeMethod_var); } IL_0019: { uint64_t L_3 = ___value0; return (((int16_t)((int16_t)L_3))); } } // System.Int16 System.Convert::ToInt16(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m7F87DC717F07D47C104372D55D3E72FBE26CF2CC (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m7F87DC717F07D47C104372D55D3E72FBE26CF2CC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int16_t L_1 = Convert_ToInt16_m1F982FED72A4829E1DE1A64F162F13555FC1F7EC((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.Int16 System.Convert::ToInt16(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m1F982FED72A4829E1DE1A64F162F13555FC1F7EC (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_m1F982FED72A4829E1DE1A64F162F13555FC1F7EC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C(L_0, /*hidden argument*/NULL); int16_t L_2 = Convert_ToInt16_m0D8DD7C5E5F85BE27D38E0FBD17411B8682618B3(L_1, /*hidden argument*/NULL); return L_2; } } // System.Int16 System.Convert::ToInt16(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mBB1C4102314D1306F894C0E3CC7FC72900EE4E13 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_mBB1C4102314D1306F894C0E3CC7FC72900EE4E13_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); int16_t L_2 = Decimal_ToInt16_mA2BB2FEA8CBAF4AB1AE4F3AD1F877B5A5DBA165C(L_1, /*hidden argument*/NULL); return L_2; } } // System.Int16 System.Convert::ToInt16(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_m4EE0839C08F0FDFBB7719B316D962B043F55589B (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (int16_t)0; } IL_0005: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; int16_t L_3 = Int16_Parse_m8974BEBECCE6184E1A2CA312D637E40B731F49B2(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.UInt16 System.Convert::ToUInt16(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mB7311DB5960043FD81C1305B69C5328126F43C89 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_mB7311DB5960043FD81C1305B69C5328126F43C89_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); uint16_t L_3 = InterfaceFuncInvoker1< uint16_t, RuntimeObject* >::Invoke(6 /* System.UInt16 System.IConvertible::ToUInt16(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (uint16_t)0; } } // System.UInt16 System.Convert::ToUInt16(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mE5DBE88FC67DB81359A27BEC9BC61EE1C4816F7E (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (uint16_t)0; } IL_0005: { return (uint16_t)1; } } // System.UInt16 System.Convert::ToUInt16(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m2F8D708D059B3A7FC317AD8A56D492253E359E24 (Il2CppChar ___value0, const RuntimeMethod* method) { { Il2CppChar L_0 = ___value0; return L_0; } } // System.UInt16 System.Convert::ToUInt16(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m3A0BC273AC75E936BBAA48B0D451DB161CEC11CE (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m3A0BC273AC75E936BBAA48B0D451DB161CEC11CE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt16_m3A0BC273AC75E936BBAA48B0D451DB161CEC11CE_RuntimeMethod_var); } IL_0014: { int8_t L_3 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_3))); } } // System.UInt16 System.Convert::ToUInt16(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m7251119DC9E451E9DB0AB5742769643B7F414876 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return L_0; } } // System.UInt16 System.Convert::ToUInt16(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m3BC2069048E0E6C17C6B4C18BFB8FC949739BFFF (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m3BC2069048E0E6C17C6B4C18BFB8FC949739BFFF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt16_m3BC2069048E0E6C17C6B4C18BFB8FC949739BFFF_RuntimeMethod_var); } IL_0014: { int16_t L_3 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_3))); } } // System.UInt16 System.Convert::ToUInt16(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000c; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)65535)))) { goto IL_001c; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7_RuntimeMethod_var); } IL_001c: { int32_t L_4 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_4))); } } // System.UInt16 System.Convert::ToUInt16(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m19D8F9B74EB5F96C835FA5045E925F000750A8B3 (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m19D8F9B74EB5F96C835FA5045E925F000750A8B3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((!(((uint32_t)L_0) > ((uint32_t)((int32_t)65535))))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt16_m19D8F9B74EB5F96C835FA5045E925F000750A8B3_RuntimeMethod_var); } IL_0018: { uint32_t L_3 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_3))); } } // System.UInt16 System.Convert::ToUInt16(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mA5386907A6E781E3D4261BDB7D6308FBD5B518F7 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_mA5386907A6E781E3D4261BDB7D6308FBD5B518F7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_000e; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)65535))))))) { goto IL_001e; } } IL_000e: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToUInt16_mA5386907A6E781E3D4261BDB7D6308FBD5B518F7_RuntimeMethod_var); } IL_001e: { int64_t L_4 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_4))); } } // System.UInt16 System.Convert::ToUInt16(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mC540754A3F101A7A13FB26FD89836025507E7E80 (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_mC540754A3F101A7A13FB26FD89836025507E7E80_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)65535)))))))) { goto IL_0019; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt16_mC540754A3F101A7A13FB26FD89836025507E7E80_RuntimeMethod_var); } IL_0019: { uint64_t L_3 = ___value0; return (uint16_t)(((int32_t)((uint16_t)L_3))); } } // System.UInt16 System.Convert::ToUInt16(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m13E0B382AD753A7931E9583BDF9091719617F70C (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m13E0B382AD753A7931E9583BDF9091719617F70C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); uint16_t L_1 = Convert_ToUInt16_mC488D697C85EE1862D2D8FFFD30BC8E99AB73BE5((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.UInt16 System.Convert::ToUInt16(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mC488D697C85EE1862D2D8FFFD30BC8E99AB73BE5 (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_mC488D697C85EE1862D2D8FFFD30BC8E99AB73BE5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C(L_0, /*hidden argument*/NULL); uint16_t L_2 = Convert_ToUInt16_m926B887258078B9BB42574AA2B3F95DC50460EA7(L_1, /*hidden argument*/NULL); return L_2; } } // System.UInt16 System.Convert::ToUInt16(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_m022D5C7E373AE755EF157BE123D6856C9A931DFC (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_m022D5C7E373AE755EF157BE123D6856C9A931DFC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); uint16_t L_2 = Decimal_ToUInt16_m549253A5DF0667C9938591FA692ACFE8D812C065(L_1, /*hidden argument*/NULL); return L_2; } } // System.UInt16 System.Convert::ToUInt16(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mB588DD91980D07B2021231090F8C3EE517DDFFA1 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return (uint16_t)0; } IL_0005: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; uint16_t L_3 = UInt16_Parse_mEA6E086539E279750BCC41E5C9638C2514924E8B(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Convert::ToInt32(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_mCF1152AF4138C1DD7A16643B22EE69A38373EF86 (RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_mCF1152AF4138C1DD7A16643B22EE69A38373EF86_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); int32_t L_2 = InterfaceFuncInvoker1< int32_t, RuntimeObject* >::Invoke(7 /* System.Int32 System.IConvertible::ToInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), (RuntimeObject*)NULL); return L_2; } IL_0010: { return 0; } } // System.Int32 System.Convert::ToInt32(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m5D40340597602FB6C20BAB933E8B29617232757A (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m5D40340597602FB6C20BAB933E8B29617232757A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); int32_t L_3 = InterfaceFuncInvoker1< int32_t, RuntimeObject* >::Invoke(7 /* System.Int32 System.IConvertible::ToInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return 0; } } // System.Int32 System.Convert::ToInt32(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m39901AE09C5431063E0EDBD286948E875E747B66 (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { return 1; } } // System.Int32 System.Convert::ToInt32(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m8BE65713C8D5E0AD45D53B82A5A7BD187BEBA917 (Il2CppChar ___value0, const RuntimeMethod* method) { { Il2CppChar L_0 = ___value0; return L_0; } } // System.Int32 System.Convert::ToInt32(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m322C82C3EB50E7389A4A38C4601FD08705CA56CF (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return L_0; } } // System.Int32 System.Convert::ToInt32(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_mB0AA47EFAB81D1DBA0C2153ECBD0E19DE230BE2C (int16_t ___value0, const RuntimeMethod* method) { { int16_t L_0 = ___value0; return L_0; } } // System.Int32 System.Convert::ToInt32(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m8A95C977AFB27DA577E58CAE3255F8B24EE79517 (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return L_0; } } // System.Int32 System.Convert::ToInt32(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m966337716B0CC4A45307D82BC21BCA1F8BB22D1C (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m966337716B0CC4A45307D82BC21BCA1F8BB22D1C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; if ((!(((uint32_t)L_0) > ((uint32_t)((int32_t)2147483647LL))))) { goto IL_0018; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral858B28677610CF07E111998CCE040F14F5256455, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt32_m966337716B0CC4A45307D82BC21BCA1F8BB22D1C_RuntimeMethod_var); } IL_0018: { uint32_t L_3 = ___value0; return L_3; } } // System.Int32 System.Convert::ToInt32(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m5CE30569A0A5B70CBD85954BEEF436F57D6FAE6B (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m5CE30569A0A5B70CBD85954BEEF436F57D6FAE6B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)((int32_t)-2147483648LL))))))) { goto IL_0012; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((int64_t)((int32_t)2147483647LL))))))) { goto IL_0022; } } IL_0012: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral858B28677610CF07E111998CCE040F14F5256455, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToInt32_m5CE30569A0A5B70CBD85954BEEF436F57D6FAE6B_RuntimeMethod_var); } IL_0022: { int64_t L_4 = ___value0; return (((int32_t)((int32_t)L_4))); } } // System.Int32 System.Convert::ToInt32(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m4E8E4BA500C8372D58B20E706C76C8126F7F5260 (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m4E8E4BA500C8372D58B20E706C76C8126F7F5260_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((int64_t)((int32_t)2147483647LL)))))))) { goto IL_0019; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral858B28677610CF07E111998CCE040F14F5256455, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt32_m4E8E4BA500C8372D58B20E706C76C8126F7F5260_RuntimeMethod_var); } IL_0019: { uint64_t L_3 = ___value0; return (((int32_t)((int32_t)L_3))); } } // System.Int32 System.Convert::ToInt32(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_mA9271FF590B90ADF4072A0FBF2C7F59874FA5EC4 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_mA9271FF590B90ADF4072A0FBF2C7F59874FA5EC4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Convert::ToInt32(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; double V_1 = 0.0; int32_t V_2 = 0; double V_3 = 0.0; { double L_0 = ___value0; if ((!(((double)L_0) >= ((double)(0.0))))) { goto IL_0043; } } { double L_1 = ___value0; if ((!(((double)L_1) < ((double)(2147483647.5))))) { goto IL_007a; } } { double L_2 = ___value0; V_0 = (((int32_t)((int32_t)L_2))); double L_3 = ___value0; int32_t L_4 = V_0; V_1 = ((double)il2cpp_codegen_subtract((double)L_3, (double)(((double)((double)L_4))))); double L_5 = V_1; if ((((double)L_5) > ((double)(0.5)))) { goto IL_003d; } } { double L_6 = V_1; if ((!(((double)L_6) == ((double)(0.5))))) { goto IL_0041; } } { int32_t L_7 = V_0; if (!((int32_t)((int32_t)L_7&(int32_t)1))) { goto IL_0041; } } IL_003d: { int32_t L_8 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1)); } IL_0041: { int32_t L_9 = V_0; return L_9; } IL_0043: { double L_10 = ___value0; if ((!(((double)L_10) >= ((double)(-2147483648.5))))) { goto IL_007a; } } { double L_11 = ___value0; V_2 = (((int32_t)((int32_t)L_11))); double L_12 = ___value0; int32_t L_13 = V_2; V_3 = ((double)il2cpp_codegen_subtract((double)L_12, (double)(((double)((double)L_13))))); double L_14 = V_3; if ((((double)L_14) < ((double)(-0.5)))) { goto IL_0074; } } { double L_15 = V_3; if ((!(((double)L_15) == ((double)(-0.5))))) { goto IL_0078; } } { int32_t L_16 = V_2; if (!((int32_t)((int32_t)L_16&(int32_t)1))) { goto IL_0078; } } IL_0074: { int32_t L_17 = V_2; V_2 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_17, (int32_t)1)); } IL_0078: { int32_t L_18 = V_2; return L_18; } IL_007a: { String_t* L_19 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral858B28677610CF07E111998CCE040F14F5256455, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_20 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_20, L_19, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_20, Convert_ToInt32_m1A048B98439E87B6AA81AEA091F8F515D3EF730C_RuntimeMethod_var); } } // System.Int32 System.Convert::ToInt32(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m4D644EB3F03017202A65F4CADB3382BF81FF5D71 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m4D644EB3F03017202A65F4CADB3382BF81FF5D71_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); int32_t L_1 = Decimal_FCallToInt32_m4B063BBD3E2F9CDA39F8C09A6E81C05567FC0C1A(L_0, /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Convert::ToInt32(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_mB68D58347DE1545BF338A8435E2567C9EAB5905E (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; int32_t L_3 = Int32_Parse_m17BA45CC13A0E08712F2EE60CC1356291D0592AC(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.UInt32 System.Convert::ToUInt32(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m5CD74B1562CFEE536D3E9A9A89CEC1CB38CED427 (RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_m5CD74B1562CFEE536D3E9A9A89CEC1CB38CED427_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); uint32_t L_2 = InterfaceFuncInvoker1< uint32_t, RuntimeObject* >::Invoke(8 /* System.UInt32 System.IConvertible::ToUInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), (RuntimeObject*)NULL); return L_2; } IL_0010: { return 0; } } // System.UInt32 System.Convert::ToUInt32(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mB53B83E03C15DCD785806793ACC3083FCC7F4BCA (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mB53B83E03C15DCD785806793ACC3083FCC7F4BCA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); uint32_t L_3 = InterfaceFuncInvoker1< uint32_t, RuntimeObject* >::Invoke(8 /* System.UInt32 System.IConvertible::ToUInt32(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return 0; } } // System.UInt32 System.Convert::ToUInt32(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { return 1; } } // System.UInt32 System.Convert::ToUInt32(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m123C758E6CB699FCFD9E8ABCF1042C1CD70DE944 (Il2CppChar ___value0, const RuntimeMethod* method) { { Il2CppChar L_0 = ___value0; return L_0; } } // System.UInt32 System.Convert::ToUInt32(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m78245CD2AE3D0369F5A99FF013AF73FFBB8CF869 (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_m78245CD2AE3D0369F5A99FF013AF73FFBB8CF869_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt32_m78245CD2AE3D0369F5A99FF013AF73FFBB8CF869_RuntimeMethod_var); } IL_0014: { int8_t L_3 = ___value0; return L_3; } } // System.UInt32 System.Convert::ToUInt32(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m4D054799D266E79452F38327EF9D954E0D3F64D3 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return L_0; } } // System.UInt32 System.Convert::ToUInt32(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mC305AB953ECDC1EDEC3F76C2ED9C2898A6A2D8A8 (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mC305AB953ECDC1EDEC3F76C2ED9C2898A6A2D8A8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt32_mC305AB953ECDC1EDEC3F76C2ED9C2898A6A2D8A8_RuntimeMethod_var); } IL_0014: { int16_t L_3 = ___value0; return L_3; } } // System.UInt32 System.Convert::ToUInt32(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mED4922B504189D92D2F6F52BB959895A5979EE40 (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return L_0; } } // System.UInt32 System.Convert::ToUInt32(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mA22ABF80925CA54B6B4869939964184C7F344B41 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mA22ABF80925CA54B6B4869939964184C7F344B41_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt32_mA22ABF80925CA54B6B4869939964184C7F344B41_RuntimeMethod_var); } IL_0014: { int32_t L_3 = ___value0; return L_3; } } // System.UInt32 System.Convert::ToUInt32(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mD1B91075B4D330E0D2D4600A6D5283C2FA1586E4 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mD1B91075B4D330E0D2D4600A6D5283C2FA1586E4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_000a; } } { int64_t L_1 = ___value0; if ((((int64_t)L_1) <= ((int64_t)(((int64_t)((uint64_t)(((uint32_t)((uint32_t)(-1)))))))))) { goto IL_001a; } } IL_000a: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_3 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToUInt32_mD1B91075B4D330E0D2D4600A6D5283C2FA1586E4_RuntimeMethod_var); } IL_001a: { int64_t L_4 = ___value0; return (((int32_t)((uint32_t)L_4))); } } // System.UInt32 System.Convert::ToUInt32(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m7DC544C6EB3CA7920C82A243D9C387B462697BAC (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_m7DC544C6EB3CA7920C82A243D9C387B462697BAC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)(((int64_t)((uint64_t)(((uint32_t)((uint32_t)(-1))))))))))) { goto IL_0015; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt32_m7DC544C6EB3CA7920C82A243D9C387B462697BAC_RuntimeMethod_var); } IL_0015: { uint64_t L_3 = ___value0; return (((int32_t)((uint32_t)L_3))); } } // System.UInt32 System.Convert::ToUInt32(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mE576F9C14D9BA51A0E3471521033BF798781CCE7 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mE576F9C14D9BA51A0E3471521033BF798781CCE7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); uint32_t L_1 = Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.UInt32 System.Convert::ToUInt32(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF_MetadataUsageId); s_Il2CppMethodInitialized = true; } uint32_t V_0 = 0; double V_1 = 0.0; { double L_0 = ___value0; if ((!(((double)L_0) >= ((double)(-0.5))))) { goto IL_0044; } } { double L_1 = ___value0; if ((!(((double)L_1) < ((double)(4294967295.5))))) { goto IL_0044; } } { double L_2 = ___value0; V_0 = (il2cpp_codegen_cast_floating_point<uint32_t, int32_t, double>(L_2)); double L_3 = ___value0; uint32_t L_4 = V_0; V_1 = ((double)il2cpp_codegen_subtract((double)L_3, (double)(((double)((double)(((double)((uint32_t)L_4)))))))); double L_5 = V_1; if ((((double)L_5) > ((double)(0.5)))) { goto IL_003e; } } { double L_6 = V_1; if ((!(((double)L_6) == ((double)(0.5))))) { goto IL_0042; } } { uint32_t L_7 = V_0; if (!((int32_t)((int32_t)L_7&(int32_t)1))) { goto IL_0042; } } IL_003e: { uint32_t L_8 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1)); } IL_0042: { uint32_t L_9 = V_0; return L_9; } IL_0044: { String_t* L_10 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral2E2FC55ECA0F95E74B3E4F4CEB108D4486D3F1A6, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_11 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_11, L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11, Convert_ToUInt32_mB7F4B7176295B3AA240199C4C2E7E59C3B74E6AF_RuntimeMethod_var); } } // System.UInt32 System.Convert::ToUInt32(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m2726353738A26D6688A1F8F074056C17A09B3A84 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_m2726353738A26D6688A1F8F074056C17A09B3A84_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); uint32_t L_2 = Decimal_ToUInt32_mC664BD6ACBC5640F9CC3CCC40C7D1F39677D9E3A(L_1, /*hidden argument*/NULL); return L_2; } } // System.UInt32 System.Convert::ToUInt32(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_mC50B44F279840348382A3715A480F4502464F20B (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; uint32_t L_3 = UInt32_Parse_mEEC266AE3E2BA9F49F4CD5E69EBDA3A1B008E125(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int64 System.Convert::ToInt64(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m8964FDE5D82FEC54106DBF35E1F67D70F6E73E29 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m8964FDE5D82FEC54106DBF35E1F67D70F6E73E29_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); int64_t L_3 = InterfaceFuncInvoker1< int64_t, RuntimeObject* >::Invoke(9 /* System.Int64 System.IConvertible::ToInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (((int64_t)((int64_t)0))); } } // System.Int64 System.Convert::ToInt64(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_mBF88328347C2C2FC83315E9B950ADD1CF473559E (bool ___value0, const RuntimeMethod* method) { int32_t G_B3_0 = 0; { bool L_0 = ___value0; if (L_0) { goto IL_0006; } } { G_B3_0 = 0; goto IL_0007; } IL_0006: { G_B3_0 = 1; } IL_0007: { return (((int64_t)((int64_t)G_B3_0))); } } // System.Int64 System.Convert::ToInt64(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_mAF15CED595F02814C73326AF76050B600CAED358 (Il2CppChar ___value0, const RuntimeMethod* method) { { Il2CppChar L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_mE4A030ED672D453F0704069D7024934D040D326A (int8_t ___value0, const RuntimeMethod* method) { { int8_t L_0 = ___value0; return (((int64_t)((int64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m503ADEC363722EBF6A65F9C9F5619150BF00DDCC (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m2261BB84FA0B10E657E622163945B4ED9D3C2D11 (int16_t ___value0, const RuntimeMethod* method) { { int16_t L_0 = ___value0; return (((int64_t)((int64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_mE191CDE636529E410288B04286028D56CBC8EE53 (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m61697621C2BC4FDADFE1742507EBA7B3C1D76475 (int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; return (((int64_t)((int64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m32144C3A1499C6810428CC3F22BCB095EFFEE99F (uint32_t ___value0, const RuntimeMethod* method) { { uint32_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.Int64 System.Convert::ToInt64(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m396C2B4FA8F12D0C76E0AA3A31872D93BF5EA11D (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m396C2B4FA8F12D0C76E0AA3A31872D93BF5EA11D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; if ((!(((uint64_t)L_0) > ((uint64_t)((int64_t)(std::numeric_limits<int64_t>::max)()))))) { goto IL_001c; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral952604412082661142BB4448D6792E048E0317FC, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToInt64_m396C2B4FA8F12D0C76E0AA3A31872D93BF5EA11D_RuntimeMethod_var); } IL_001c: { uint64_t L_3 = ___value0; return L_3; } } // System.Int64 System.Convert::ToInt64(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m6963E5AB9C468141588B8BE08A9F2454A066D3CA (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m6963E5AB9C468141588B8BE08A9F2454A066D3CA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int64_t L_1 = Convert_ToInt64_m64CA1F639893BC431286C0AE8266AA46E38FB57D((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.Int64 System.Convert::ToInt64(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m64CA1F639893BC431286C0AE8266AA46E38FB57D (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m64CA1F639893BC431286C0AE8266AA46E38FB57D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var); double L_1 = bankers_round(L_0); if (L_1 > (double)((std::numeric_limits<int64_t>::max)())) IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception(), NULL); return (((int64_t)((int64_t)L_1))); } } // System.Int64 System.Convert::ToInt64(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m66912A2344452B0C97DD3EE60A8560A49248CF78 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m66912A2344452B0C97DD3EE60A8560A49248CF78_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); int64_t L_2 = Decimal_ToInt64_mB2D5CC63EDC9C99171ADA933FD133905D7FCCA72(L_1, /*hidden argument*/NULL); return L_2; } } // System.Int64 System.Convert::ToInt64(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m740F0CA2696F5D04F06456FCBFE08E942B12B4A6 (String_t* ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m740F0CA2696F5D04F06456FCBFE08E942B12B4A6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_0006; } } { return (((int64_t)((int64_t)0))); } IL_0006: { String_t* L_1 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_2 = CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831(/*hidden argument*/NULL); int64_t L_3 = Int64_Parse_m58A1CEB948FDC6C2ECCA27CA9D19CB904BF98FD4(L_1, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int64 System.Convert::ToInt64(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m4D2C0087ADC13CEFB913E2E071E486EF9077A452 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0006; } } { return (((int64_t)((int64_t)0))); } IL_0006: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; int64_t L_3 = Int64_Parse_m5113C0CCFB668DBC49D71D9F07CC8A96B8C7773D(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.UInt64 System.Convert::ToUInt64(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mA8C3C5498FC28CBA0EB0C37409EB9E04CCF6B8D2 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_mA8C3C5498FC28CBA0EB0C37409EB9E04CCF6B8D2_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); uint64_t L_3 = InterfaceFuncInvoker1< uint64_t, RuntimeObject* >::Invoke(10 /* System.UInt64 System.IConvertible::ToUInt64(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (((int64_t)((int64_t)0))); } } // System.UInt64 System.Convert::ToUInt64(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m46350FEF6029990034BDFAB1FBC4F25EAF47B53B (bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; if (L_0) { goto IL_0006; } } { return (((int64_t)((int64_t)0))); } IL_0006: { return (((int64_t)((int64_t)1))); } } // System.UInt64 System.Convert::ToUInt64(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mFCB74BC6F5D944A1894E875C4B8D3D53DE7EFA75 (Il2CppChar ___value0, const RuntimeMethod* method) { { Il2CppChar L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.UInt64 System.Convert::ToUInt64(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m24AAA55A63E618B389C773AC090EB4F664BFC729 (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_m24AAA55A63E618B389C773AC090EB4F664BFC729_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4FA1555162B320F87E718E7D03508690DA6245A7, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt64_m24AAA55A63E618B389C773AC090EB4F664BFC729_RuntimeMethod_var); } IL_0014: { int8_t L_3 = ___value0; return (((int64_t)((int64_t)L_3))); } } // System.UInt64 System.Convert::ToUInt64(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mAD731FB7078B5949B0592212E8563C59F1CC7172 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.UInt64 System.Convert::ToUInt64(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m97F318132CF70D2795CFB709BAB8789803BCC08A (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_m97F318132CF70D2795CFB709BAB8789803BCC08A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4FA1555162B320F87E718E7D03508690DA6245A7, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt64_m97F318132CF70D2795CFB709BAB8789803BCC08A_RuntimeMethod_var); } IL_0014: { int16_t L_3 = ___value0; return (((int64_t)((int64_t)L_3))); } } // System.UInt64 System.Convert::ToUInt64(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m13A97BCFDAB847AC0D6379DA3FBE031509801944 (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.UInt64 System.Convert::ToUInt64(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m3D60F8111B12E0D8BB538E433065340CF45EB772 (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_m3D60F8111B12E0D8BB538E433065340CF45EB772_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0014; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4FA1555162B320F87E718E7D03508690DA6245A7, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt64_m3D60F8111B12E0D8BB538E433065340CF45EB772_RuntimeMethod_var); } IL_0014: { int32_t L_3 = ___value0; return (((int64_t)((int64_t)L_3))); } } // System.UInt64 System.Convert::ToUInt64(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mC8F7AEA2A46B8BEB45B65312F49EEE2540B596EC (uint32_t ___value0, const RuntimeMethod* method) { { uint32_t L_0 = ___value0; return (((int64_t)((uint64_t)L_0))); } } // System.UInt64 System.Convert::ToUInt64(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mE0A19C049B47AC33472017793E0B8FCF5A9CE098 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_mE0A19C049B47AC33472017793E0B8FCF5A9CE098_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; if ((((int64_t)L_0) >= ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0015; } } { String_t* L_1 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4FA1555162B320F87E718E7D03508690DA6245A7, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_2 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, Convert_ToUInt64_mE0A19C049B47AC33472017793E0B8FCF5A9CE098_RuntimeMethod_var); } IL_0015: { int64_t L_3 = ___value0; return L_3; } } // System.UInt64 System.Convert::ToUInt64(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mC9816AF80E8B2471627DB2BE1E4A02160D8BAFF3 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_mC9816AF80E8B2471627DB2BE1E4A02160D8BAFF3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); uint64_t L_1 = Convert_ToUInt64_mA246C8DD45C3EA0EFB21E3ED8B6EE6FAAE119232((((double)((double)L_0))), /*hidden argument*/NULL); return L_1; } } // System.UInt64 System.Convert::ToUInt64(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_mA246C8DD45C3EA0EFB21E3ED8B6EE6FAAE119232 (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_mA246C8DD45C3EA0EFB21E3ED8B6EE6FAAE119232_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var); double L_1 = bankers_round(L_0); if (L_1 > (double)((std::numeric_limits<uint64_t>::max)())) IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception(), NULL); return (il2cpp_codegen_cast_floating_point<uint64_t, uint64_t, double>(L_1)); } } // System.UInt64 System.Convert::ToUInt64(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m4A02F154C2265302484CD2741DF92C14531134F0 (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_m4A02F154C2265302484CD2741DF92C14531134F0_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_Round_mD73CF41AB10D501F9DAD3F351007B361017F2801(L_0, 0, /*hidden argument*/NULL); uint64_t L_2 = Decimal_ToUInt64_mABC57AEE77C35B13F9FEE100D6DFF015A2CADBB5(L_1, /*hidden argument*/NULL); return L_2; } } // System.UInt64 System.Convert::ToUInt64(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m638AC1F743BB4D9617FF085EF7EB8E23BCA7B3C6 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0006; } } { return (((int64_t)((int64_t)0))); } IL_0006: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; uint64_t L_3 = UInt64_Parse_mBCA93243BACC50D7302706C914152213B8AB85A5(L_1, 7, L_2, /*hidden argument*/NULL); return L_3; } } // System.Single System.Convert::ToSingle(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_mDC4B8C88AF6F230E79A887EFD4D745CB08341828 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSingle_mDC4B8C88AF6F230E79A887EFD4D745CB08341828_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); float L_3 = InterfaceFuncInvoker1< float, RuntimeObject* >::Invoke(11 /* System.Single System.IConvertible::ToSingle(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (0.0f); } } // System.Single System.Convert::ToSingle(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m6594D24976A20E820938E5DE88A63082EAFED0F4 (int8_t ___value0, const RuntimeMethod* method) { { int8_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m0DC063AF835020D49B1FB600753AFCDA0205609A (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m419FC798EE52D4A39F7719FA060CC198EF94F2B0 (int16_t ___value0, const RuntimeMethod* method) { { int16_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_mFBCC3DBA2C1A176506B5B23193DD0F5F27085EAA (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m4D6202BB2F75526A5E01DA49A35D26007C76A21C (int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m6F50A25E0020F35AEC587BE3A91E1A6D78351249 (uint32_t ___value0, const RuntimeMethod* method) { { uint32_t L_0 = ___value0; return (((float)((float)(((double)((uint32_t)L_0)))))); } } // System.Single System.Convert::ToSingle(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m3A854A75BE60D077E283A444B4EEF3ED6E984F9A (int64_t ___value0, const RuntimeMethod* method) { { int64_t L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_mEB588F7F980A4BF31BDBACC733574C97A32E357A (uint64_t ___value0, const RuntimeMethod* method) { { uint64_t L_0 = ___value0; return (((float)((float)(((double)((uint64_t)L_0)))))); } } // System.Single System.Convert::ToSingle(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_mDADB8C1C52121EE8B0040D4E5FC7CFD2CFAD8B80 (double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; return (((float)((float)L_0))); } } // System.Single System.Convert::ToSingle(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_mB30A36F02973B8210209CA62F2DD7B212857845A (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSingle_mB30A36F02973B8210209CA62F2DD7B212857845A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); float L_1 = Decimal_op_Explicit_mC7ED730AE7C6D42F19F06246B242E8B60EDDAC62(L_0, /*hidden argument*/NULL); return (((float)((float)L_1))); } } // System.Single System.Convert::ToSingle(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m5F3E5F42FE95CB24ADF3164009FF7136DB1CE888 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { String_t* L_0 = ___value0; if (L_0) { goto IL_0009; } } { return (0.0f); } IL_0009: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; float L_3 = Single_Parse_m6D591682F5EF2ED4D1CEADF65728E965A739AE74(L_1, ((int32_t)231), L_2, /*hidden argument*/NULL); return L_3; } } // System.Single System.Convert::ToSingle(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float Convert_ToSingle_m8C04F9D9C974F7AD8B41E87B5419FFA9EB9C88E7 (bool ___value0, const RuntimeMethod* method) { int32_t G_B3_0 = 0; { bool L_0 = ___value0; if (L_0) { goto IL_0006; } } { G_B3_0 = 0; goto IL_0007; } IL_0006: { G_B3_0 = 1; } IL_0007: { return (((float)((float)G_B3_0))); } } // System.Double System.Convert::ToDouble(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m053A47D87C59CA7A87D4E67E5E06368D775D7651 (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDouble_m053A47D87C59CA7A87D4E67E5E06368D775D7651_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); double L_3 = InterfaceFuncInvoker1< double, RuntimeObject* >::Invoke(12 /* System.Double System.IConvertible::ToDouble(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { return (0.0); } } // System.Double System.Convert::ToDouble(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m236422548F1BC40280491F59EBD3D1B22AA84F97 (int8_t ___value0, const RuntimeMethod* method) { { int8_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_mFB12B649AA6A4D71FDA6BD62D88FD785E2452FA5 (uint8_t ___value0, const RuntimeMethod* method) { { uint8_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m9FFE6DC9FE9E17546E9681806ED4613D582A2D6C (int16_t ___value0, const RuntimeMethod* method) { { int16_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m5427641E8803E839561F9C10071C3E33A1A6F854 (uint16_t ___value0, const RuntimeMethod* method) { { uint16_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_mAE52754212671CD42E2C67BD9ABCE18DAEE443CC (int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_mA48AAD04072EF9CD5A30C2B2EC69A796A0BA6194 (uint32_t ___value0, const RuntimeMethod* method) { { uint32_t L_0 = ___value0; return (((double)((double)(((double)((uint32_t)L_0)))))); } } // System.Double System.Convert::ToDouble(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m5948DF15E5B6EAE3A3D443BB5DAB6D6BF5D4E785 (int64_t ___value0, const RuntimeMethod* method) { { int64_t L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m18E2BC69DA3D88A0C5CD258FFBF1DB5BA097C316 (uint64_t ___value0, const RuntimeMethod* method) { { uint64_t L_0 = ___value0; return (((double)((double)(((double)((uint64_t)L_0)))))); } } // System.Double System.Convert::ToDouble(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m80148DF46C72C989F186F0616EDE71A34BA3A967 (float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; return (((double)((double)L_0))); } } // System.Double System.Convert::ToDouble(System.Decimal) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_mB31B6067B5E9336860641CBD4424E17CA42EC3FA (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDouble_mB31B6067B5E9336860641CBD4424E17CA42EC3FA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); double L_1 = Decimal_op_Explicit_mB7F34E3B2DFB6211CA5ACB5497DA6CDCB09FC6CE(L_0, /*hidden argument*/NULL); return (((double)((double)L_1))); } } // System.Double System.Convert::ToDouble(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_m8EAF69AB183D6DF604898A3EDE5A27A4AFBFF1D8 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDouble_m8EAF69AB183D6DF604898A3EDE5A27A4AFBFF1D8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_000d; } } { return (0.0); } IL_000d: { String_t* L_1 = ___value0; RuntimeObject* L_2 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_il2cpp_TypeInfo_var); double L_3 = Double_Parse_m52FA2C773282C04605DA871AC7093A66FA8A746B(L_1, ((int32_t)231), L_2, /*hidden argument*/NULL); return L_3; } } // System.Double System.Convert::ToDouble(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double Convert_ToDouble_mF6258103D74509D52040BECC84FB241B09B6CC62 (bool ___value0, const RuntimeMethod* method) { int32_t G_B3_0 = 0; { bool L_0 = ___value0; if (L_0) { goto IL_0006; } } { G_B3_0 = 0; goto IL_0007; } IL_0006: { G_B3_0 = 1; } IL_0007: { return (((double)((double)G_B3_0))); } } // System.Decimal System.Convert::ToDecimal(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m481ADC9D8F8A686750301A7F4B32B6F78330F077 (RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m481ADC9D8F8A686750301A7F4B32B6F78330F077_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_2 = InterfaceFuncInvoker1< Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 , RuntimeObject* >::Invoke(13 /* System.Decimal System.IConvertible::ToDecimal(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), (RuntimeObject*)NULL); return L_2; } IL_0010: { IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_3 = ((Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields*)il2cpp_codegen_static_fields_for(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var))->get_Zero_7(); return L_3; } } // System.Decimal System.Convert::ToDecimal(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mD8F65E8B251DBE61789CAD032172D089375D1E5B (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mD8F65E8B251DBE61789CAD032172D089375D1E5B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_3 = InterfaceFuncInvoker1< Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 , RuntimeObject* >::Invoke(13 /* System.Decimal System.IConvertible::ToDecimal(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_4 = ((Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields*)il2cpp_codegen_static_fields_for(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var))->get_Zero_7(); return L_4; } } // System.Decimal System.Convert::ToDecimal(System.SByte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m4AC31B36EF41A7409233DEDB9389EA97FB981FDA (int8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m4AC31B36EF41A7409233DEDB9389EA97FB981FDA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int8_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m8519381573914335A82DE5D3D06FA85E89D89197(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m22A4086CA96BD7E3E1D23660A838AFA0F48946D6 (uint8_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m22A4086CA96BD7E3E1D23660A838AFA0F48946D6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint8_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m466EC50EE380238E9F804EE13EF1A2EF7B310DC6(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Int16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mD9355C906353F7E283024449544616979EF4823E (int16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mD9355C906353F7E283024449544616979EF4823E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int16_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m9A27DB673EFE87795196E83A6D91139A491252E6(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.UInt16) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mFD0BC78E6BE4EDBFD7A0767E7D95A39E40F0260F (uint16_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mFD0BC78E6BE4EDBFD7A0767E7D95A39E40F0260F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint16_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_mEF0CA15B0C83BC57C2206E366FBAE3FF552FEF28(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m707FBD6E1B6D6F7F71D1D492C5F5AE981B561DEF (int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m707FBD6E1B6D6F7F71D1D492C5F5AE981B561DEF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m654C5710B68EAA7C5E606F28F084CE5FDA339415(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.UInt32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m291E4FE569EB911F06EF4269522C1DA0BEB7CB5F (uint32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m291E4FE569EB911F06EF4269522C1DA0BEB7CB5F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint32_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m2220445E5E4C0CC7715EEC07C0F7417097FD4141(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mECE2EDC28EBA5F0B88702C15D0A3A1DABEE8D6A1 (int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mECE2EDC28EBA5F0B88702C15D0A3A1DABEE8D6A1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_mFD66E10F50DE6B69A137279140DD74487572827D(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mC4A6FC31B0F2C506D113380567B082CCB6A4FEED (uint64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mC4A6FC31B0F2C506D113380567B082CCB6A4FEED_MetadataUsageId); s_Il2CppMethodInitialized = true; } { uint64_t L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m2C34640E22DCDAB44B7135AE81E8D480C0CCF556(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m0723C02BC98733C38A826B8BBF2C4AE24B7CB557 (float ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m0723C02BC98733C38A826B8BBF2C4AE24B7CB557_MetadataUsageId); s_Il2CppMethodInitialized = true; } { float L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Explicit_m9AE85BFCE75391680A7D4EA28FF4D42959F37E39(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mF93A2E5C1006C59187BA8F1F17E66CEC2D8F7FCE (double ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mF93A2E5C1006C59187BA8F1F17E66CEC2D8F7FCE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { double L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Explicit_m2EB423334931E2E5B03C2A91D98E1EB8E28FCC0A(L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.Convert::ToDecimal(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_m80616EA9DCA3177D13755D16D12FE16F7EF93D6B (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_m80616EA9DCA3177D13755D16D12FE16F7EF93D6B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_0009; } } { IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = ((Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields*)il2cpp_codegen_static_fields_for(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var))->get_Zero_7(); return L_1; } IL_0009: { String_t* L_2 = ___value0; RuntimeObject* L_3 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_4 = Decimal_Parse_mFA9697AFBA5C224F2F6D08275B904E9DDBFE607A(L_2, ((int32_t)111), L_3, /*hidden argument*/NULL); return L_4; } } // System.Decimal System.Convert::ToDecimal(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Convert_ToDecimal_mF2C5F32DF4C8DC0938C223031CDDF4AC1E08A0CC (bool ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDecimal_mF2C5F32DF4C8DC0938C223031CDDF4AC1E08A0CC_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t G_B3_0 = 0; { bool L_0 = ___value0; if (L_0) { goto IL_0006; } } { G_B3_0 = 0; goto IL_0007; } IL_0006: { G_B3_0 = 1; } IL_0007: { IL2CPP_RUNTIME_CLASS_INIT(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_il2cpp_TypeInfo_var); Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_1 = Decimal_op_Implicit_m654C5710B68EAA7C5E606F28F084CE5FDA339415(G_B3_0, /*hidden argument*/NULL); return L_1; } } // System.DateTime System.Convert::ToDateTime(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 Convert_ToDateTime_m246003CF3103F7DF9D6E817DCEFAE2CF8068862D (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDateTime_m246003CF3103F7DF9D6E817DCEFAE2CF8068862D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeObject * L_0 = ___value0; if (!L_0) { goto IL_0010; } } { RuntimeObject * L_1 = ___value0; RuntimeObject* L_2 = ___provider1; NullCheck(((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var))); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_3 = InterfaceFuncInvoker1< DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 , RuntimeObject* >::Invoke(14 /* System.DateTime System.IConvertible::ToDateTime(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, ((RuntimeObject*)Castclass((RuntimeObject*)L_1, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)), L_2); return L_3; } IL_0010: { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_MinValue_31(); return L_4; } } // System.DateTime System.Convert::ToDateTime(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 Convert_ToDateTime_m57803D920D7F8261F00652A19DD01E530A530795 (String_t* ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToDateTime_m57803D920D7F8261F00652A19DD01E530A530795_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___value0; if (L_0) { goto IL_000b; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1; memset((&L_1), 0, sizeof(L_1)); DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C((&L_1), (((int64_t)((int64_t)0))), /*hidden argument*/NULL); return L_1; } IL_000b: { String_t* L_2 = ___value0; RuntimeObject* L_3 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = DateTime_Parse_mFB11F5C0061CEAD9A2F51E3814DEBE0475F2BA37(L_2, L_3, /*hidden argument*/NULL); return L_4; } } // System.String System.Convert::ToString(System.Object,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToString_m10FC2E5535B944C2DFE83E6D2659122C9408F0FF (RuntimeObject * ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToString_m10FC2E5535B944C2DFE83E6D2659122C9408F0FF_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; RuntimeObject* V_1 = NULL; { RuntimeObject * L_0 = ___value0; V_0 = ((RuntimeObject*)IsInst((RuntimeObject*)L_0, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var)); RuntimeObject* L_1 = V_0; if (!L_1) { goto IL_0012; } } { RuntimeObject* L_2 = V_0; RuntimeObject* L_3 = ___provider1; NullCheck(L_2); String_t* L_4 = InterfaceFuncInvoker1< String_t*, RuntimeObject* >::Invoke(15 /* System.String System.IConvertible::ToString(System.IFormatProvider) */, IConvertible_tB52671A602A64FCCFD27EA5817E2A6C2B693D380_il2cpp_TypeInfo_var, L_2, L_3); return L_4; } IL_0012: { RuntimeObject * L_5 = ___value0; V_1 = ((RuntimeObject*)IsInst((RuntimeObject*)L_5, IFormattable_t58E0883927AD7B9E881837942BD4FA2E7D8330C0_il2cpp_TypeInfo_var)); RuntimeObject* L_6 = V_1; if (!L_6) { goto IL_0025; } } { RuntimeObject* L_7 = V_1; RuntimeObject* L_8 = ___provider1; NullCheck(L_7); String_t* L_9 = InterfaceFuncInvoker2< String_t*, String_t*, RuntimeObject* >::Invoke(0 /* System.String System.IFormattable::ToString(System.String,System.IFormatProvider) */, IFormattable_t58E0883927AD7B9E881837942BD4FA2E7D8330C0_il2cpp_TypeInfo_var, L_7, (String_t*)NULL, L_8); return L_9; } IL_0025: { RuntimeObject * L_10 = ___value0; if (!L_10) { goto IL_002f; } } { RuntimeObject * L_11 = ___value0; NullCheck(L_11); String_t* L_12 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_11); return L_12; } IL_002f: { String_t* L_13 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); return L_13; } } // System.String System.Convert::ToString(System.Char,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToString_m19979FD8FCD84DC6CFBF835D7666956E5138467B (Il2CppChar ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { RuntimeObject* L_0 = ___provider1; String_t* L_1 = Char_ToString_mF758476EBA0494508C18E74ADF20D7732A872BDE((Il2CppChar*)(&___value0), L_0, /*hidden argument*/NULL); return L_1; } } // System.String System.Convert::ToString(System.Int32,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToString_m013DD2590D9DCBA00A8A4FEEBE7FC2DBD4DDBC70 (int32_t ___value0, RuntimeObject* ___provider1, const RuntimeMethod* method) { { RuntimeObject* L_0 = ___provider1; String_t* L_1 = Int32_ToString_m1D0AF82BDAB5D4710527DD3FEFA6F01246D128A5((int32_t*)(&___value0), L_0, /*hidden argument*/NULL); return L_1; } } // System.Byte System.Convert::ToByte(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)4608), /*hidden argument*/NULL); V_0 = L_8; int32_t L_9 = V_0; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_003b; } } { int32_t L_10 = V_0; if ((((int32_t)L_10) <= ((int32_t)((int32_t)255)))) { goto IL_004b; } } IL_003b: { String_t* L_11 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral66A2CA93B4D74A9945AF3335F6FDED9B5261D3B4, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_12 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_12, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, Convert_ToByte_m69B99134B7822E54833E28E9DCFD28E582873913_RuntimeMethod_var); } IL_004b: { int32_t L_13 = V_0; return (uint8_t)(((int32_t)((uint8_t)L_13))); } } // System.SByte System.Convert::ToSByte(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)5120), /*hidden argument*/NULL); V_0 = L_8; int32_t L_9 = ___fromBase1; if ((((int32_t)L_9) == ((int32_t)((int32_t)10)))) { goto IL_003f; } } { int32_t L_10 = V_0; if ((((int32_t)L_10) > ((int32_t)((int32_t)255)))) { goto IL_003f; } } { int32_t L_11 = V_0; return (((int8_t)((int8_t)L_11))); } IL_003f: { int32_t L_12 = V_0; if ((((int32_t)L_12) < ((int32_t)((int32_t)-128)))) { goto IL_0049; } } { int32_t L_13 = V_0; if ((((int32_t)L_13) <= ((int32_t)((int32_t)127)))) { goto IL_0059; } } IL_0049: { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralDA1DBE1D71E85DD42A6EC593E9C205353A24D35D, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_15 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, Convert_ToSByte_m0A9377CF6805CB69E383B55AE48ECBA8FCA52A57_RuntimeMethod_var); } IL_0059: { int32_t L_16 = V_0; return (((int8_t)((int8_t)L_16))); } } // System.Int16 System.Convert::ToInt16(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)6144), /*hidden argument*/NULL); V_0 = L_8; int32_t L_9 = ___fromBase1; if ((((int32_t)L_9) == ((int32_t)((int32_t)10)))) { goto IL_003f; } } { int32_t L_10 = V_0; if ((((int32_t)L_10) > ((int32_t)((int32_t)65535)))) { goto IL_003f; } } { int32_t L_11 = V_0; return (((int16_t)((int16_t)L_11))); } IL_003f: { int32_t L_12 = V_0; if ((((int32_t)L_12) < ((int32_t)((int32_t)-32768)))) { goto IL_004f; } } { int32_t L_13 = V_0; if ((((int32_t)L_13) <= ((int32_t)((int32_t)32767)))) { goto IL_005f; } } IL_004f: { String_t* L_14 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB2DFA6C94FCB93E0645DBB6C79D5282340489A50, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_15 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15, Convert_ToInt16_mE45C6C06FA6664B29F1C763C08CF4846A06B27D5_RuntimeMethod_var); } IL_005f: { int32_t L_16 = V_0; return (((int16_t)((int16_t)L_16))); } } // System.UInt16 System.Convert::ToUInt16(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)4608), /*hidden argument*/NULL); V_0 = L_8; int32_t L_9 = V_0; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_003b; } } { int32_t L_10 = V_0; if ((((int32_t)L_10) <= ((int32_t)((int32_t)65535)))) { goto IL_004b; } } IL_003b: { String_t* L_11 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6972AB6A4112783DFDFEE444146EB3CF741CCD13, /*hidden argument*/NULL); OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D * L_12 = (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D *)il2cpp_codegen_object_new(OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var); OverflowException__ctor_mE1A042FFEBF00B79612E8595B8D49785B357D731(L_12, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, Convert_ToUInt16_mC94E057A03649D2CF926BA53447D6D1BA5A3194A_RuntimeMethod_var); } IL_004b: { int32_t L_13 = V_0; return (uint16_t)(((int32_t)((uint16_t)L_13))); } } // System.Int32 System.Convert::ToInt32(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToInt32_m8DC81C7C49EE4A9334E71E45E3A220644E45B4F4 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt32_m8DC81C7C49EE4A9334E71E45E3A220644E45B4F4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToInt32_m8DC81C7C49EE4A9334E71E45E3A220644E45B4F4_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)4096), /*hidden argument*/NULL); return L_8; } } // System.UInt32 System.Convert::ToUInt32(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m58D2EC3CD2B71C31AD88B51C3F597003A40CAA35 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt32_m58D2EC3CD2B71C31AD88B51C3F597003A40CAA35_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToUInt32_m58D2EC3CD2B71C31AD88B51C3F597003A40CAA35_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int32_t L_8 = ParseNumbers_StringToInt_m4EB636CC7D3D970B1409CA4AA0336AB33B2DF39F(L_6, L_7, ((int32_t)4608), /*hidden argument*/NULL); return L_8; } } // System.Int64 System.Convert::ToInt64(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t Convert_ToInt64_m6E6AC604B6C67431B921B2B3CC577F2F0A70741C (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToInt64_m6E6AC604B6C67431B921B2B3CC577F2F0A70741C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToInt64_m6E6AC604B6C67431B921B2B3CC577F2F0A70741C_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int64_t L_8 = ParseNumbers_StringToLong_mC92F053C86CBA3D56C91D2FB62647928ABB21DB1(L_6, L_7, ((int32_t)4096), /*hidden argument*/NULL); return L_8; } } // System.UInt64 System.Convert::ToUInt64(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t Convert_ToUInt64_m6DE01C92993B122AC45D94CCD68C1614DB93C525 (String_t* ___value0, int32_t ___fromBase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToUInt64_m6DE01C92993B122AC45D94CCD68C1614DB93C525_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___fromBase1; if ((((int32_t)L_0) == ((int32_t)2))) { goto IL_0022; } } { int32_t L_1 = ___fromBase1; if ((((int32_t)L_1) == ((int32_t)8))) { goto IL_0022; } } { int32_t L_2 = ___fromBase1; if ((((int32_t)L_2) == ((int32_t)((int32_t)10)))) { goto IL_0022; } } { int32_t L_3 = ___fromBase1; if ((((int32_t)L_3) == ((int32_t)((int32_t)16)))) { goto IL_0022; } } { String_t* L_4 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralAA7B479BCC9583E2D72A7A34D71FA9ACF67B076D, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, Convert_ToUInt64_m6DE01C92993B122AC45D94CCD68C1614DB93C525_RuntimeMethod_var); } IL_0022: { String_t* L_6 = ___value0; int32_t L_7 = ___fromBase1; int64_t L_8 = ParseNumbers_StringToLong_mC92F053C86CBA3D56C91D2FB62647928ABB21DB1(L_6, L_7, ((int32_t)4608), /*hidden argument*/NULL); return L_8; } } // System.String System.Convert::ToBase64String(System.Byte[]) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToBase64String_mF201749AD724C437524C8A6108519470A0F65B84 (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBase64String_mF201749AD724C437524C8A6108519470A0F65B84_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_0 = ___inArray0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralB3337829708B47BA30EF6CB0D62B0BC7364C36F9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_ToBase64String_mF201749AD724C437524C8A6108519470A0F65B84_RuntimeMethod_var); } IL_000e: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_2 = ___inArray0; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_3 = ___inArray0; NullCheck(L_3); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); String_t* L_4 = Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF(L_2, 0, (((int32_t)((int32_t)(((RuntimeArray*)L_3)->max_length)))), 0, /*hidden argument*/NULL); return L_4; } } // System.String System.Convert::ToBase64String(System.Byte[],System.Int32,System.Int32,System.Base64FormattingOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, int32_t ___offset1, int32_t ___length2, int32_t ___options3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; bool V_1 = false; Il2CppChar* V_2 = NULL; String_t* V_3 = NULL; uint8_t* V_4 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* V_5 = NULL; String_t* G_B15_0 = NULL; String_t* G_B14_0 = NULL; String_t* G_B17_0 = NULL; String_t* G_B16_0 = NULL; String_t* G_B18_0 = NULL; String_t* G_B19_0 = NULL; { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_0 = ___inArray0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralB3337829708B47BA30EF6CB0D62B0BC7364C36F9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var); } IL_000e: { int32_t L_2 = ___length2; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0027; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteral3D54973F528B01019A58A52D34D518405A01B891, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var); } IL_0027: { int32_t L_5 = ___offset1; if ((((int32_t)L_5) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral044F779DD78DC457C66C3F03FB54E04EE4013F70, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_7 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_7, _stringLiteral53A610E925BBC0A175E365D31241AE75AEEAD651, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var); } IL_0040: { int32_t L_8 = ___options3; if ((((int32_t)L_8) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_9 = ___options3; if ((((int32_t)L_9) <= ((int32_t)1))) { goto IL_0067; } } IL_0048: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)1); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = L_10; int32_t L_12 = ___options3; int32_t L_13 = ((int32_t)L_12); RuntimeObject * L_14 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_13); NullCheck(L_11); ArrayElementTypeCheck (L_11, L_14); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_14); String_t* L_15 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralA581992EF2214628320EFA402E984AF6E5EA8654, L_11, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_16 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_16, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16, Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var); } IL_0067: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_17 = ___inArray0; NullCheck(L_17); V_0 = (((int32_t)((int32_t)(((RuntimeArray*)L_17)->max_length)))); int32_t L_18 = ___offset1; int32_t L_19 = V_0; int32_t L_20 = ___length2; if ((((int32_t)L_18) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_19, (int32_t)L_20))))) { goto IL_0086; } } { String_t* L_21 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98CFE5E917B6BC87FA117F28F39F6E8B09499151, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_22 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_22, _stringLiteral53A610E925BBC0A175E365D31241AE75AEEAD651, L_21, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_22, Convert_ToBase64String_m86FF376EC650C7A6E85EDD7BCF5BEC23EE5402DF_RuntimeMethod_var); } IL_0086: { int32_t L_23 = V_0; if (L_23) { goto IL_008f; } } { String_t* L_24 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); return L_24; } IL_008f: { int32_t L_25 = ___options3; V_1 = (bool)((((int32_t)L_25) == ((int32_t)1))? 1 : 0); int32_t L_26 = ___length2; bool L_27 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_28 = Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6(L_26, L_27, /*hidden argument*/NULL); String_t* L_29 = String_FastAllocateString_m41FF9F02E99463841990C6971132D4D9E320914C(L_28, /*hidden argument*/NULL); String_t* L_30 = L_29; V_3 = L_30; String_t* L_31 = V_3; V_2 = (Il2CppChar*)(((uintptr_t)L_31)); Il2CppChar* L_32 = V_2; G_B14_0 = L_30; if (!L_32) { G_B15_0 = L_30; goto IL_00b0; } } { Il2CppChar* L_33 = V_2; int32_t L_34 = RuntimeHelpers_get_OffsetToStringData_mF3B79A906181F1A2734590DA161E2AF183853F8B(/*hidden argument*/NULL); V_2 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_33, (int32_t)L_34)); G_B15_0 = G_B14_0; } IL_00b0: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_35 = ___inArray0; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_36 = L_35; V_5 = L_36; G_B16_0 = G_B15_0; if (!L_36) { G_B17_0 = G_B15_0; goto IL_00bc; } } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_37 = V_5; NullCheck(L_37); G_B17_0 = G_B16_0; if ((((int32_t)((int32_t)(((RuntimeArray*)L_37)->max_length))))) { G_B18_0 = G_B16_0; goto IL_00c2; } } IL_00bc: { V_4 = (uint8_t*)(((uintptr_t)0)); G_B19_0 = G_B17_0; goto IL_00cd; } IL_00c2: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_38 = V_5; NullCheck(L_38); V_4 = (uint8_t*)(((uintptr_t)((L_38)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); G_B19_0 = G_B18_0; } IL_00cd: { Il2CppChar* L_39 = V_2; uint8_t* L_40 = V_4; int32_t L_41 = ___offset1; int32_t L_42 = ___length2; bool L_43 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B((Il2CppChar*)(Il2CppChar*)L_39, (uint8_t*)(uint8_t*)L_40, L_41, L_42, L_43, /*hidden argument*/NULL); return G_B19_0; } } // System.Int32 System.Convert::ToBase64CharArray(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToBase64CharArray_m22C304194795A2FB2FE5A5C90D5A1BC5C2D052F8 (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, int32_t ___offsetIn1, int32_t ___length2, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___outArray3, int32_t ___offsetOut4, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBase64CharArray_m22C304194795A2FB2FE5A5C90D5A1BC5C2D052F8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_0 = ___inArray0; int32_t L_1 = ___offsetIn1; int32_t L_2 = ___length2; CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_3 = ___outArray3; int32_t L_4 = ___offsetOut4; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_5 = Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD(L_0, L_1, L_2, L_3, L_4, 0, /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Convert::ToBase64CharArray(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32,System.Base64FormattingOptions) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___inArray0, int32_t ___offsetIn1, int32_t ___length2, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___outArray3, int32_t ___offsetOut4, int32_t ___options5, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; bool V_3 = false; Il2CppChar* V_4 = NULL; uint8_t* V_5 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* V_6 = NULL; uintptr_t G_B21_0; memset((&G_B21_0), 0, sizeof(G_B21_0)); uintptr_t G_B20_0; memset((&G_B20_0), 0, sizeof(G_B20_0)); uintptr_t G_B22_0; memset((&G_B22_0), 0, sizeof(G_B22_0)); uintptr_t G_B23_0; memset((&G_B23_0), 0, sizeof(G_B23_0)); { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_0 = ___inArray0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralB3337829708B47BA30EF6CB0D62B0BC7364C36F9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_000e: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_2 = ___outArray3; if (L_2) { goto IL_001c; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, _stringLiteralA9DAE8F82311A6B1BDB2C7A441A5F6DB2A759D08, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_001c: { int32_t L_4 = ___length2; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_0035; } } { String_t* L_5 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_6, _stringLiteral3D54973F528B01019A58A52D34D518405A01B891, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_0035: { int32_t L_7 = ___offsetIn1; if ((((int32_t)L_7) >= ((int32_t)0))) { goto IL_004e; } } { String_t* L_8 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral044F779DD78DC457C66C3F03FB54E04EE4013F70, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_9 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_9, _stringLiteral8E9009906A91712DF614B16A2923E550F2D8608C, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_004e: { int32_t L_10 = ___offsetOut4; if ((((int32_t)L_10) >= ((int32_t)0))) { goto IL_0068; } } { String_t* L_11 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral044F779DD78DC457C66C3F03FB54E04EE4013F70, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_12 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_12, _stringLiteral67331A4D5CCF99C31B3206D2659A4D2BCED0278A, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_0068: { int32_t L_13 = ___options5; if ((((int32_t)L_13) < ((int32_t)0))) { goto IL_0072; } } { int32_t L_14 = ___options5; if ((((int32_t)L_14) <= ((int32_t)1))) { goto IL_0092; } } IL_0072: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)1); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = L_15; int32_t L_17 = ___options5; int32_t L_18 = ((int32_t)L_17); RuntimeObject * L_19 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_18); NullCheck(L_16); ArrayElementTypeCheck (L_16, L_19); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_19); String_t* L_20 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralA581992EF2214628320EFA402E984AF6E5EA8654, L_16, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_21 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_21, L_20, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_21, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_0092: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_22 = ___inArray0; NullCheck(L_22); V_0 = (((int32_t)((int32_t)(((RuntimeArray*)L_22)->max_length)))); int32_t L_23 = ___offsetIn1; int32_t L_24 = V_0; int32_t L_25 = ___length2; if ((((int32_t)L_23) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_24, (int32_t)L_25))))) { goto IL_00b1; } } { String_t* L_26 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98CFE5E917B6BC87FA117F28F39F6E8B09499151, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_27 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_27, _stringLiteral8E9009906A91712DF614B16A2923E550F2D8608C, L_26, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_27, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_00b1: { int32_t L_28 = V_0; if (L_28) { goto IL_00b6; } } { return 0; } IL_00b6: { int32_t L_29 = ___options5; V_3 = (bool)((((int32_t)L_29) == ((int32_t)1))? 1 : 0); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_30 = ___outArray3; NullCheck(L_30); V_1 = (((int32_t)((int32_t)(((RuntimeArray*)L_30)->max_length)))); int32_t L_31 = ___length2; bool L_32 = V_3; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_33 = Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6(L_31, L_32, /*hidden argument*/NULL); V_2 = L_33; int32_t L_34 = ___offsetOut4; int32_t L_35 = V_1; int32_t L_36 = V_2; if ((((int32_t)L_34) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_35, (int32_t)L_36))))) { goto IL_00e4; } } { String_t* L_37 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral4C1D07E01A0519A0E0137F59DC9E59E58374714F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_38 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_38, _stringLiteral67331A4D5CCF99C31B3206D2659A4D2BCED0278A, L_37, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_38, Convert_ToBase64CharArray_m6E7D30C287089020C8126BBB7612BF96E40924AD_RuntimeMethod_var); } IL_00e4: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_39 = ___outArray3; int32_t L_40 = ___offsetOut4; NullCheck(L_39); V_4 = (Il2CppChar*)((L_39)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_40))); Il2CppChar* L_41 = V_4; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_42 = ___inArray0; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_43 = L_42; V_6 = L_43; G_B20_0 = (((uintptr_t)L_41)); if (!L_43) { G_B21_0 = (((uintptr_t)L_41)); goto IL_00fd; } } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_44 = V_6; NullCheck(L_44); G_B21_0 = G_B20_0; if ((((int32_t)((int32_t)(((RuntimeArray*)L_44)->max_length))))) { G_B22_0 = G_B20_0; goto IL_0103; } } IL_00fd: { V_5 = (uint8_t*)(((uintptr_t)0)); G_B23_0 = G_B21_0; goto IL_010e; } IL_0103: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_45 = V_6; NullCheck(L_45); V_5 = (uint8_t*)(((uintptr_t)((L_45)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); G_B23_0 = G_B22_0; } IL_010e: { uint8_t* L_46 = V_5; int32_t L_47 = ___offsetIn1; int32_t L_48 = ___length2; bool L_49 = V_3; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_50 = Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B((Il2CppChar*)(Il2CppChar*)G_B23_0, (uint8_t*)(uint8_t*)L_46, L_47, L_48, L_49, /*hidden argument*/NULL); V_6 = (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821*)NULL; V_4 = (Il2CppChar*)(((uintptr_t)0)); return L_50; } } // System.Int32 System.Convert::ConvertToBase64Array(System.Char*,System.Byte*,System.Int32,System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B (Il2CppChar* ___outChars0, uint8_t* ___inData1, int32_t ___offset2, int32_t ___length3, bool ___insertLineBreaks4, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ConvertToBase64Array_m2C6DC2EA273DB7F37A3A25116F18AF6DB5192E3B_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; int32_t V_4 = 0; Il2CppChar* V_5 = NULL; CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* V_6 = NULL; { int32_t L_0 = ___length3; V_0 = ((int32_t)((int32_t)L_0%(int32_t)3)); int32_t L_1 = ___offset2; int32_t L_2 = ___length3; int32_t L_3 = V_0; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_1, (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_2, (int32_t)L_3)))); V_2 = 0; V_3 = 0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_4 = ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->get_base64Table_2(); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_5 = L_4; V_6 = L_5; if (!L_5) { goto IL_001e; } } { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_6 = V_6; NullCheck(L_6); if ((((int32_t)((int32_t)(((RuntimeArray*)L_6)->max_length))))) { goto IL_0024; } } IL_001e: { V_5 = (Il2CppChar*)(((uintptr_t)0)); goto IL_002f; } IL_0024: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_7 = V_6; NullCheck(L_7); V_5 = (Il2CppChar*)(((uintptr_t)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_002f: { int32_t L_8 = ___offset2; V_4 = L_8; goto IL_00f4; } IL_0037: { bool L_9 = ___insertLineBreaks4; if (!L_9) { goto IL_0060; } } { int32_t L_10 = V_3; if ((!(((uint32_t)L_10) == ((uint32_t)((int32_t)76))))) { goto IL_005c; } } { Il2CppChar* L_11 = ___outChars0; int32_t L_12 = V_2; int32_t L_13 = L_12; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_13, (int32_t)1)); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_11, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_13)), (int32_t)2))))) = (int16_t)((int32_t)13); Il2CppChar* L_14 = ___outChars0; int32_t L_15 = V_2; int32_t L_16 = L_15; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_16, (int32_t)1)); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_14, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_16)), (int32_t)2))))) = (int16_t)((int32_t)10); V_3 = 0; } IL_005c: { int32_t L_17 = V_3; V_3 = ((int32_t)il2cpp_codegen_add((int32_t)L_17, (int32_t)4)); } IL_0060: { Il2CppChar* L_18 = ___outChars0; int32_t L_19 = V_2; Il2CppChar* L_20 = V_5; uint8_t* L_21 = ___inData1; int32_t L_22 = V_4; int32_t L_23 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_21, (int32_t)L_22))); int32_t L_24 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_20, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)L_23&(int32_t)((int32_t)252)))>>(int32_t)2)))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_18, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_19)), (int32_t)2))))) = (int16_t)L_24; Il2CppChar* L_25 = ___outChars0; int32_t L_26 = V_2; Il2CppChar* L_27 = V_5; uint8_t* L_28 = ___inData1; int32_t L_29 = V_4; int32_t L_30 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_28, (int32_t)L_29))); uint8_t* L_31 = ___inData1; int32_t L_32 = V_4; int32_t L_33 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_31, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_32, (int32_t)1))))); int32_t L_34 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_27, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_30&(int32_t)3))<<(int32_t)4))|(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_33&(int32_t)((int32_t)240)))>>(int32_t)4)))))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_25, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_26, (int32_t)1)))), (int32_t)2))))) = (int16_t)L_34; Il2CppChar* L_35 = ___outChars0; int32_t L_36 = V_2; Il2CppChar* L_37 = V_5; uint8_t* L_38 = ___inData1; int32_t L_39 = V_4; int32_t L_40 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_38, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_39, (int32_t)1))))); uint8_t* L_41 = ___inData1; int32_t L_42 = V_4; int32_t L_43 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_41, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_42, (int32_t)2))))); int32_t L_44 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_37, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_40&(int32_t)((int32_t)15)))<<(int32_t)2))|(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_43&(int32_t)((int32_t)192)))>>(int32_t)6)))))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_35, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_36, (int32_t)2)))), (int32_t)2))))) = (int16_t)L_44; Il2CppChar* L_45 = ___outChars0; int32_t L_46 = V_2; Il2CppChar* L_47 = V_5; uint8_t* L_48 = ___inData1; int32_t L_49 = V_4; int32_t L_50 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_48, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_49, (int32_t)2))))); int32_t L_51 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_47, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)L_50&(int32_t)((int32_t)63))))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_45, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_46, (int32_t)3)))), (int32_t)2))))) = (int16_t)L_51; int32_t L_52 = V_2; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_52, (int32_t)4)); int32_t L_53 = V_4; V_4 = ((int32_t)il2cpp_codegen_add((int32_t)L_53, (int32_t)3)); } IL_00f4: { int32_t L_54 = V_4; int32_t L_55 = V_1; if ((((int32_t)L_54) < ((int32_t)L_55))) { goto IL_0037; } } { int32_t L_56 = V_1; V_4 = L_56; bool L_57 = ___insertLineBreaks4; if (!L_57) { goto IL_0125; } } { int32_t L_58 = V_0; if (!L_58) { goto IL_0125; } } { int32_t L_59 = V_3; if ((!(((uint32_t)L_59) == ((uint32_t)((int32_t)76))))) { goto IL_0125; } } { Il2CppChar* L_60 = ___outChars0; int32_t L_61 = V_2; int32_t L_62 = L_61; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_62, (int32_t)1)); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_60, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_62)), (int32_t)2))))) = (int16_t)((int32_t)13); Il2CppChar* L_63 = ___outChars0; int32_t L_64 = V_2; int32_t L_65 = L_64; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_65, (int32_t)1)); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_63, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_65)), (int32_t)2))))) = (int16_t)((int32_t)10); } IL_0125: { int32_t L_66 = V_0; if ((((int32_t)L_66) == ((int32_t)1))) { goto IL_01a8; } } { int32_t L_67 = V_0; if ((!(((uint32_t)L_67) == ((uint32_t)2)))) { goto IL_0204; } } { Il2CppChar* L_68 = ___outChars0; int32_t L_69 = V_2; Il2CppChar* L_70 = V_5; uint8_t* L_71 = ___inData1; int32_t L_72 = V_4; int32_t L_73 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_71, (int32_t)L_72))); int32_t L_74 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_70, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)L_73&(int32_t)((int32_t)252)))>>(int32_t)2)))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_68, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_69)), (int32_t)2))))) = (int16_t)L_74; Il2CppChar* L_75 = ___outChars0; int32_t L_76 = V_2; Il2CppChar* L_77 = V_5; uint8_t* L_78 = ___inData1; int32_t L_79 = V_4; int32_t L_80 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_78, (int32_t)L_79))); uint8_t* L_81 = ___inData1; int32_t L_82 = V_4; int32_t L_83 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_81, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_82, (int32_t)1))))); int32_t L_84 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_77, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_80&(int32_t)3))<<(int32_t)4))|(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_83&(int32_t)((int32_t)240)))>>(int32_t)4)))))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_75, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_76, (int32_t)1)))), (int32_t)2))))) = (int16_t)L_84; Il2CppChar* L_85 = ___outChars0; int32_t L_86 = V_2; Il2CppChar* L_87 = V_5; uint8_t* L_88 = ___inData1; int32_t L_89 = V_4; int32_t L_90 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_88, (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_89, (int32_t)1))))); int32_t L_91 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_87, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)L_90&(int32_t)((int32_t)15)))<<(int32_t)2)))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_85, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_86, (int32_t)2)))), (int32_t)2))))) = (int16_t)L_91; Il2CppChar* L_92 = ___outChars0; int32_t L_93 = V_2; Il2CppChar* L_94 = V_5; int32_t L_95 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_94, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)64))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_92, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_93, (int32_t)3)))), (int32_t)2))))) = (int16_t)L_95; int32_t L_96 = V_2; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_96, (int32_t)4)); goto IL_0204; } IL_01a8: { Il2CppChar* L_97 = ___outChars0; int32_t L_98 = V_2; Il2CppChar* L_99 = V_5; uint8_t* L_100 = ___inData1; int32_t L_101 = V_4; int32_t L_102 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_100, (int32_t)L_101))); int32_t L_103 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_99, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)L_102&(int32_t)((int32_t)252)))>>(int32_t)2)))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_97, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_98)), (int32_t)2))))) = (int16_t)L_103; Il2CppChar* L_104 = ___outChars0; int32_t L_105 = V_2; Il2CppChar* L_106 = V_5; uint8_t* L_107 = ___inData1; int32_t L_108 = V_4; int32_t L_109 = *((uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_107, (int32_t)L_108))); int32_t L_110 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_106, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)((int32_t)((int32_t)((int32_t)L_109&(int32_t)3))<<(int32_t)4)))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_104, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_105, (int32_t)1)))), (int32_t)2))))) = (int16_t)L_110; Il2CppChar* L_111 = ___outChars0; int32_t L_112 = V_2; Il2CppChar* L_113 = V_5; int32_t L_114 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_113, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)64))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_111, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_112, (int32_t)2)))), (int32_t)2))))) = (int16_t)L_114; Il2CppChar* L_115 = ___outChars0; int32_t L_116 = V_2; Il2CppChar* L_117 = V_5; int32_t L_118 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_117, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)64))), (int32_t)2))))); *((int16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_115, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_add((int32_t)L_116, (int32_t)3)))), (int32_t)2))))) = (int16_t)L_118; int32_t L_119 = V_2; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_119, (int32_t)4)); } IL_0204: { V_6 = (CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)NULL; int32_t L_120 = V_2; return L_120; } } // System.Int32 System.Convert::ToBase64_CalculateAndValidateOutputLength(System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6 (int32_t ___inputLength0, bool ___insertLineBreaks1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; int64_t V_1 = 0; int64_t G_B2_0 = 0; int64_t G_B1_0 = 0; int32_t G_B3_0 = 0; int64_t G_B3_1 = 0; { int32_t L_0 = ___inputLength0; V_0 = ((int64_t)il2cpp_codegen_multiply((int64_t)((int64_t)((int64_t)(((int64_t)((int64_t)L_0)))/(int64_t)(((int64_t)((int64_t)3))))), (int64_t)(((int64_t)((int64_t)4))))); int64_t L_1 = V_0; int32_t L_2 = ___inputLength0; G_B1_0 = L_1; if (((int32_t)((int32_t)L_2%(int32_t)3))) { G_B2_0 = L_1; goto IL_0012; } } { G_B3_0 = 0; G_B3_1 = G_B1_0; goto IL_0013; } IL_0012: { G_B3_0 = 4; G_B3_1 = G_B2_0; } IL_0013: { V_0 = ((int64_t)il2cpp_codegen_add((int64_t)G_B3_1, (int64_t)(((int64_t)((int64_t)G_B3_0))))); int64_t L_3 = V_0; if (L_3) { goto IL_001b; } } { return 0; } IL_001b: { bool L_4 = ___insertLineBreaks1; if (!L_4) { goto IL_0037; } } { int64_t L_5 = V_0; V_1 = ((int64_t)((int64_t)L_5/(int64_t)(((int64_t)((int64_t)((int32_t)76)))))); int64_t L_6 = V_0; if (((int64_t)((int64_t)L_6%(int64_t)(((int64_t)((int64_t)((int32_t)76))))))) { goto IL_0030; } } { int64_t L_7 = V_1; V_1 = ((int64_t)il2cpp_codegen_subtract((int64_t)L_7, (int64_t)(((int64_t)((int64_t)1))))); } IL_0030: { int64_t L_8 = V_0; int64_t L_9 = V_1; V_0 = ((int64_t)il2cpp_codegen_add((int64_t)L_8, (int64_t)((int64_t)il2cpp_codegen_multiply((int64_t)L_9, (int64_t)(((int64_t)((int64_t)2))))))); } IL_0037: { int64_t L_10 = V_0; if ((((int64_t)L_10) <= ((int64_t)(((int64_t)((int64_t)((int32_t)2147483647LL))))))) { goto IL_0046; } } { OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7 * L_11 = (OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7 *)il2cpp_codegen_object_new(OutOfMemoryException_t2DF3EAC178583BD1DEFAAECBEDB2AF1EA86FBFC7_il2cpp_TypeInfo_var); OutOfMemoryException__ctor_m4ED0B5B3F91BAF66BDF69E09EF6DC74777FE8DEB(L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11, Convert_ToBase64_CalculateAndValidateOutputLength_m1FAAD592F5E302E59EAB90CB292DD02505C2A0E6_RuntimeMethod_var); } IL_0046: { int64_t L_12 = V_0; return (((int32_t)((int32_t)L_12))); } } // System.Byte[] System.Convert::FromBase64String(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* Convert_FromBase64String_m079F788D000703E8018DA39BE9C05F1CBF60B156 (String_t* ___s0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_FromBase64String_m079F788D000703E8018DA39BE9C05F1CBF60B156_MetadataUsageId); s_Il2CppMethodInitialized = true; } Il2CppChar* V_0 = NULL; String_t* V_1 = NULL; { String_t* L_0 = ___s0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralA0F1490A20D0211C997B44BC357E1972DEAB8AE3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_FromBase64String_m079F788D000703E8018DA39BE9C05F1CBF60B156_RuntimeMethod_var); } IL_000e: { String_t* L_2 = ___s0; V_1 = L_2; String_t* L_3 = V_1; V_0 = (Il2CppChar*)(((uintptr_t)L_3)); Il2CppChar* L_4 = V_0; if (!L_4) { goto IL_001e; } } { Il2CppChar* L_5 = V_0; int32_t L_6 = RuntimeHelpers_get_OffsetToStringData_mF3B79A906181F1A2734590DA161E2AF183853F8B(/*hidden argument*/NULL); V_0 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_5, (int32_t)L_6)); } IL_001e: { Il2CppChar* L_7 = V_0; String_t* L_8 = ___s0; NullCheck(L_8); int32_t L_9 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_8, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_10 = Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451((Il2CppChar*)(Il2CppChar*)L_7, L_9, /*hidden argument*/NULL); return L_10; } } // System.Byte[] System.Convert::FromBase64CharArray(System.Char[],System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F (CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___inArray0, int32_t ___offset1, int32_t ___length2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_MetadataUsageId); s_Il2CppMethodInitialized = true; } Il2CppChar* V_0 = NULL; CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* V_1 = NULL; { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_0 = ___inArray0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteralB3337829708B47BA30EF6CB0D62B0BC7364C36F9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_RuntimeMethod_var); } IL_000e: { int32_t L_2 = ___length2; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0027; } } { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9071A4CB8E2F99F81D5B117DAE3211B994971FFA, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteral3D54973F528B01019A58A52D34D518405A01B891, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_RuntimeMethod_var); } IL_0027: { int32_t L_5 = ___offset1; if ((((int32_t)L_5) >= ((int32_t)0))) { goto IL_0040; } } { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral044F779DD78DC457C66C3F03FB54E04EE4013F70, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_7 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_7, _stringLiteral53A610E925BBC0A175E365D31241AE75AEEAD651, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_RuntimeMethod_var); } IL_0040: { int32_t L_8 = ___offset1; CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_9 = ___inArray0; NullCheck(L_9); int32_t L_10 = ___length2; if ((((int32_t)L_8) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_9)->max_length)))), (int32_t)L_10))))) { goto IL_005d; } } { String_t* L_11 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral98CFE5E917B6BC87FA117F28F39F6E8B09499151, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_12 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_12, _stringLiteral53A610E925BBC0A175E365D31241AE75AEEAD651, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, Convert_FromBase64CharArray_mADF67BA394607E583C0522964181A115209F578F_RuntimeMethod_var); } IL_005d: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_13 = ___inArray0; CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_14 = L_13; V_1 = L_14; if (!L_14) { goto IL_0067; } } { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_15 = V_1; NullCheck(L_15); if ((((int32_t)((int32_t)(((RuntimeArray*)L_15)->max_length))))) { goto IL_006c; } } IL_0067: { V_0 = (Il2CppChar*)(((uintptr_t)0)); goto IL_0075; } IL_006c: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_16 = V_1; NullCheck(L_16); V_0 = (Il2CppChar*)(((uintptr_t)((L_16)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0075: { Il2CppChar* L_17 = V_0; int32_t L_18 = ___offset1; int32_t L_19 = ___length2; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_20 = Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451((Il2CppChar*)(Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_17, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_18)), (int32_t)2)))), L_19, /*hidden argument*/NULL); return L_20; } } // System.Byte[] System.Convert::FromBase64CharPtr(System.Char*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451 (Il2CppChar* ___inputPtr0, int32_t ___inputLength1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_FromBase64CharPtr_mBE2FEB558FE590EDCC320D6B864726889274B451_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; uint8_t* V_2 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* V_3 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* G_B9_0 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* G_B8_0 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* G_B10_0 = NULL; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* G_B11_0 = NULL; { goto IL_0025; } IL_0002: { Il2CppChar* L_0 = ___inputPtr0; int32_t L_1 = ___inputLength1; int32_t L_2 = *((uint16_t*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_0, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_1, (int32_t)1)))), (int32_t)2))))); V_1 = L_2; int32_t L_3 = V_1; if ((((int32_t)L_3) == ((int32_t)((int32_t)32)))) { goto IL_0020; } } { int32_t L_4 = V_1; if ((((int32_t)L_4) == ((int32_t)((int32_t)10)))) { goto IL_0020; } } { int32_t L_5 = V_1; if ((((int32_t)L_5) == ((int32_t)((int32_t)13)))) { goto IL_0020; } } { int32_t L_6 = V_1; if ((!(((uint32_t)L_6) == ((uint32_t)((int32_t)9))))) { goto IL_0029; } } IL_0020: { int32_t L_7 = ___inputLength1; ___inputLength1 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)1)); } IL_0025: { int32_t L_8 = ___inputLength1; if ((((int32_t)L_8) > ((int32_t)0))) { goto IL_0002; } } IL_0029: { Il2CppChar* L_9 = ___inputPtr0; int32_t L_10 = ___inputLength1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int32_t L_11 = Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622((Il2CppChar*)(Il2CppChar*)L_9, L_10, /*hidden argument*/NULL); V_0 = L_11; int32_t L_12 = V_0; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_13 = (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821*)(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821*)SZArrayNew(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821_il2cpp_TypeInfo_var, (uint32_t)L_12); ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_14 = L_13; ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_15 = L_14; V_3 = L_15; G_B8_0 = L_14; if (!L_15) { G_B9_0 = L_14; goto IL_0041; } } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_16 = V_3; NullCheck(L_16); G_B9_0 = G_B8_0; if ((((int32_t)((int32_t)(((RuntimeArray*)L_16)->max_length))))) { G_B10_0 = G_B8_0; goto IL_0046; } } IL_0041: { V_2 = (uint8_t*)(((uintptr_t)0)); G_B11_0 = G_B9_0; goto IL_004f; } IL_0046: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_17 = V_3; NullCheck(L_17); V_2 = (uint8_t*)(((uintptr_t)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); G_B11_0 = G_B10_0; } IL_004f: { Il2CppChar* L_18 = ___inputPtr0; int32_t L_19 = ___inputLength1; uint8_t* L_20 = V_2; int32_t L_21 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82((Il2CppChar*)(Il2CppChar*)L_18, L_19, (uint8_t*)(uint8_t*)L_20, L_21, /*hidden argument*/NULL); V_3 = (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821*)NULL; return G_B11_0; } } // System.Int32 System.Convert::FromBase64_Decode(System.Char*,System.Int32,System.Byte*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82 (Il2CppChar* ___startInputPtr0, int32_t ___inputLength1, uint8_t* ___startDestPtr2, int32_t ___destLength3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_MetadataUsageId); s_Il2CppMethodInitialized = true; } Il2CppChar* V_0 = NULL; uint8_t* V_1 = NULL; Il2CppChar* V_2 = NULL; uint8_t* V_3 = NULL; uint32_t V_4 = 0; uint32_t V_5 = 0; int32_t V_6 = 0; { Il2CppChar* L_0 = ___startInputPtr0; V_0 = (Il2CppChar*)L_0; uint8_t* L_1 = ___startDestPtr2; V_1 = (uint8_t*)L_1; Il2CppChar* L_2 = V_0; int32_t L_3 = ___inputLength1; V_2 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_2, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_3)), (int32_t)2)))); uint8_t* L_4 = V_1; int32_t L_5 = ___destLength3; V_3 = (uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_4, (int32_t)L_5)); V_5 = ((int32_t)255); } IL_0016: { Il2CppChar* L_6 = V_0; Il2CppChar* L_7 = V_2; if ((!(((uintptr_t)L_6) < ((uintptr_t)L_7)))) { goto IL_01c8; } } { Il2CppChar* L_8 = V_0; int32_t L_9 = *((uint16_t*)L_8); V_4 = L_9; Il2CppChar* L_10 = V_0; V_0 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_10, (int32_t)2)); uint32_t L_11 = V_4; if ((!(((uint32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_11, (int32_t)((int32_t)65)))) <= ((uint32_t)((int32_t)25))))) { goto IL_0037; } } { uint32_t L_12 = V_4; V_4 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_12, (int32_t)((int32_t)65))); goto IL_00a7; } IL_0037: { uint32_t L_13 = V_4; if ((!(((uint32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_13, (int32_t)((int32_t)97)))) <= ((uint32_t)((int32_t)25))))) { goto IL_0049; } } { uint32_t L_14 = V_4; V_4 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_14, (int32_t)((int32_t)71))); goto IL_00a7; } IL_0049: { uint32_t L_15 = V_4; if ((!(((uint32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)((int32_t)48)))) <= ((uint32_t)((int32_t)9))))) { goto IL_005b; } } { uint32_t L_16 = V_4; V_4 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_16, (int32_t)((int32_t)-4))); goto IL_00a7; } IL_005b: { uint32_t L_17 = V_4; if ((!(((uint32_t)L_17) <= ((uint32_t)((int32_t)32))))) { goto IL_0077; } } { uint32_t L_18 = V_4; if ((!(((uint32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_18, (int32_t)((int32_t)9)))) > ((uint32_t)1)))) { goto IL_0016; } } { uint32_t L_19 = V_4; if ((((int32_t)L_19) == ((int32_t)((int32_t)13)))) { goto IL_0016; } } { uint32_t L_20 = V_4; if ((((int32_t)L_20) == ((int32_t)((int32_t)32)))) { goto IL_0016; } } { goto IL_0097; } IL_0077: { uint32_t L_21 = V_4; if ((((int32_t)L_21) == ((int32_t)((int32_t)43)))) { goto IL_008b; } } { uint32_t L_22 = V_4; if ((((int32_t)L_22) == ((int32_t)((int32_t)47)))) { goto IL_0091; } } { uint32_t L_23 = V_4; if ((((int32_t)L_23) == ((int32_t)((int32_t)61)))) { goto IL_00f1; } } { goto IL_0097; } IL_008b: { V_4 = ((int32_t)62); goto IL_00a7; } IL_0091: { V_4 = ((int32_t)63); goto IL_00a7; } IL_0097: { String_t* L_24 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8F7ECF552BF6FB86CD369CCC08EDC822619395BA, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_25 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_25, L_24, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_25, Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var); } IL_00a7: { uint32_t L_26 = V_5; uint32_t L_27 = V_4; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)L_26<<(int32_t)6))|(int32_t)L_27)); uint32_t L_28 = V_5; if (!((int32_t)((int32_t)L_28&(int32_t)((int32_t)-2147483648LL)))) { goto IL_0016; } } { uint8_t* L_29 = V_3; uint8_t* L_30 = V_1; if ((((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint8_t*)((intptr_t)((uint8_t*)il2cpp_codegen_subtract((intptr_t)L_29, (intptr_t)L_30))/(int32_t)1))))))))) >= ((int32_t)3))) { goto IL_00c9; } } { return (-1); } IL_00c9: { uint8_t* L_31 = V_1; uint32_t L_32 = V_5; *((int8_t*)L_31) = (int8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)L_32>>((int32_t)16)))))); uint8_t* L_33 = V_1; uint32_t L_34 = V_5; *((int8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_33, (int32_t)1))) = (int8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)L_34>>8))))); uint8_t* L_35 = V_1; uint32_t L_36 = V_5; *((int8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_35, (int32_t)2))) = (int8_t)(((int32_t)((uint8_t)L_36))); uint8_t* L_37 = V_1; V_1 = (uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_37, (int32_t)3)); V_5 = ((int32_t)255); goto IL_0016; } IL_00f1: { Il2CppChar* L_38 = V_0; Il2CppChar* L_39 = V_2; if ((!(((uintptr_t)L_38) == ((uintptr_t)L_39)))) { goto IL_0164; } } { uint32_t L_40 = V_5; V_5 = ((int32_t)((int32_t)L_40<<(int32_t)6)); uint32_t L_41 = V_5; if (((int32_t)((int32_t)L_41&(int32_t)((int32_t)-2147483648LL)))) { goto IL_0115; } } { String_t* L_42 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral223DE1BFCB7230443EA0B00CBFE02D9443CF6BB1, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_43 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_43, L_42, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_43, Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var); } IL_0115: { uint8_t* L_44 = V_3; uint8_t* L_45 = V_1; if ((((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint8_t*)((intptr_t)((uint8_t*)il2cpp_codegen_subtract((intptr_t)L_44, (intptr_t)L_45))/(int32_t)1))))))))) >= ((int32_t)2))) { goto IL_0121; } } { return (-1); } IL_0121: { uint8_t* L_46 = V_1; uint8_t* L_47 = (uint8_t*)L_46; V_1 = (uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_47, (int32_t)1)); uint32_t L_48 = V_5; *((int8_t*)L_47) = (int8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)L_48>>((int32_t)16)))))); uint8_t* L_49 = V_1; uint8_t* L_50 = (uint8_t*)L_49; V_1 = (uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_50, (int32_t)1)); uint32_t L_51 = V_5; *((int8_t*)L_50) = (int8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)L_51>>8))))); V_5 = ((int32_t)255); goto IL_01c8; } IL_0144: { Il2CppChar* L_52 = V_0; int32_t L_53 = *((uint16_t*)L_52); V_6 = L_53; int32_t L_54 = V_6; if ((((int32_t)L_54) == ((int32_t)((int32_t)32)))) { goto IL_0160; } } { int32_t L_55 = V_6; if ((((int32_t)L_55) == ((int32_t)((int32_t)10)))) { goto IL_0160; } } { int32_t L_56 = V_6; if ((((int32_t)L_56) == ((int32_t)((int32_t)13)))) { goto IL_0160; } } { int32_t L_57 = V_6; if ((!(((uint32_t)L_57) == ((uint32_t)((int32_t)9))))) { goto IL_016a; } } IL_0160: { Il2CppChar* L_58 = V_0; V_0 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_58, (int32_t)2)); } IL_0164: { Il2CppChar* L_59 = V_0; Il2CppChar* L_60 = V_2; if ((!(((uintptr_t)L_59) >= ((uintptr_t)((Il2CppChar*)il2cpp_codegen_subtract((intptr_t)L_60, (int32_t)2)))))) { goto IL_0144; } } IL_016a: { Il2CppChar* L_61 = V_0; Il2CppChar* L_62 = V_2; if ((!(((uintptr_t)L_61) == ((uintptr_t)((Il2CppChar*)il2cpp_codegen_subtract((intptr_t)L_62, (int32_t)2)))))) { goto IL_01b8; } } { Il2CppChar* L_63 = V_0; int32_t L_64 = *((uint16_t*)L_63); if ((!(((uint32_t)L_64) == ((uint32_t)((int32_t)61))))) { goto IL_01b8; } } { uint32_t L_65 = V_5; V_5 = ((int32_t)((int32_t)L_65<<(int32_t)((int32_t)12))); uint32_t L_66 = V_5; if (((int32_t)((int32_t)L_66&(int32_t)((int32_t)-2147483648LL)))) { goto IL_0197; } } { String_t* L_67 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral223DE1BFCB7230443EA0B00CBFE02D9443CF6BB1, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_68 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_68, L_67, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_68, Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var); } IL_0197: { uint8_t* L_69 = V_3; uint8_t* L_70 = V_1; if ((((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint8_t*)((intptr_t)((uint8_t*)il2cpp_codegen_subtract((intptr_t)L_69, (intptr_t)L_70))/(int32_t)1))))))))) >= ((int32_t)1))) { goto IL_01a3; } } { return (-1); } IL_01a3: { uint8_t* L_71 = V_1; uint8_t* L_72 = (uint8_t*)L_71; V_1 = (uint8_t*)((uint8_t*)il2cpp_codegen_add((intptr_t)L_72, (int32_t)1)); uint32_t L_73 = V_5; *((int8_t*)L_72) = (int8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)L_73>>((int32_t)16)))))); V_5 = ((int32_t)255); goto IL_01c8; } IL_01b8: { String_t* L_74 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8F7ECF552BF6FB86CD369CCC08EDC822619395BA, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_75 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_75, L_74, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_75, Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var); } IL_01c8: { uint32_t L_76 = V_5; if ((((int32_t)L_76) == ((int32_t)((int32_t)255)))) { goto IL_01e1; } } { String_t* L_77 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral223DE1BFCB7230443EA0B00CBFE02D9443CF6BB1, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_78 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_78, L_77, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_78, Convert_FromBase64_Decode_mB5184595EE5894141A3943224A628FA9427DBB82_RuntimeMethod_var); } IL_01e1: { uint8_t* L_79 = V_1; uint8_t* L_80 = ___startDestPtr2; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint8_t*)((intptr_t)((uint8_t*)il2cpp_codegen_subtract((intptr_t)L_79, (intptr_t)L_80))/(int32_t)1)))))))); } } // System.Int32 System.Convert::FromBase64_ComputeResultLength(System.Char*,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622 (Il2CppChar* ___inputPtr0, int32_t ___inputLength1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622_MetadataUsageId); s_Il2CppMethodInitialized = true; } Il2CppChar* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; uint32_t V_3 = 0; { Il2CppChar* L_0 = ___inputPtr0; int32_t L_1 = ___inputLength1; V_0 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_0, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)L_1)), (int32_t)2)))); int32_t L_2 = ___inputLength1; V_1 = L_2; V_2 = 0; goto IL_002d; } IL_000d: { Il2CppChar* L_3 = ___inputPtr0; int32_t L_4 = *((uint16_t*)L_3); V_3 = L_4; Il2CppChar* L_5 = ___inputPtr0; ___inputPtr0 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_5, (int32_t)2)); uint32_t L_6 = V_3; if ((!(((uint32_t)L_6) <= ((uint32_t)((int32_t)32))))) { goto IL_0020; } } { int32_t L_7 = V_1; V_1 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)1)); goto IL_002d; } IL_0020: { uint32_t L_8 = V_3; if ((!(((uint32_t)L_8) == ((uint32_t)((int32_t)61))))) { goto IL_002d; } } { int32_t L_9 = V_1; V_1 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); int32_t L_10 = V_2; V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_002d: { Il2CppChar* L_11 = ___inputPtr0; Il2CppChar* L_12 = V_0; if ((!(((uintptr_t)L_11) >= ((uintptr_t)L_12)))) { goto IL_000d; } } { int32_t L_13 = V_2; if (!L_13) { goto IL_0054; } } { int32_t L_14 = V_2; if ((!(((uint32_t)L_14) == ((uint32_t)1)))) { goto IL_003c; } } { V_2 = 2; goto IL_0054; } IL_003c: { int32_t L_15 = V_2; if ((!(((uint32_t)L_15) == ((uint32_t)2)))) { goto IL_0044; } } { V_2 = 1; goto IL_0054; } IL_0044: { String_t* L_16 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8F7ECF552BF6FB86CD369CCC08EDC822619395BA, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_17 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_17, L_16, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_17, Convert_FromBase64_ComputeResultLength_mEE0DB67C66BAFD2BD1738DF94FDDD571E182B622_RuntimeMethod_var); } IL_0054: { int32_t L_18 = V_1; int32_t L_19 = V_2; return ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)((int32_t)((int32_t)L_18/(int32_t)4)), (int32_t)3)), (int32_t)L_19)); } } // System.Void System.Convert::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Convert__cctor_m04895F6ACC7D3D4BC92FC0CB5F24EBBEDF7FA9D1 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Convert__cctor_m04895F6ACC7D3D4BC92FC0CB5F24EBBEDF7FA9D1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_0 = (RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE*)(RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE*)SZArrayNew(RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE_il2cpp_TypeInfo_var, (uint32_t)((int32_t)19)); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_1 = L_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_2 = { reinterpret_cast<intptr_t> (Empty_t31C7ECDF7D102AFFCE029D8AB11D8595F0316ED2_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_3 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_2, /*hidden argument*/NULL); NullCheck(L_1); ArrayElementTypeCheck (L_1, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_3, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_3, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_4 = L_1; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_5 = { reinterpret_cast<intptr_t> (RuntimeObject_0_0_0_var) }; Type_t * L_6 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_5, /*hidden argument*/NULL); NullCheck(L_4); ArrayElementTypeCheck (L_4, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_6, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_6, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_7 = L_4; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_0_0_0_var) }; Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_8, /*hidden argument*/NULL); NullCheck(L_7); ArrayElementTypeCheck (L_7, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_9, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_9, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_10 = L_7; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_11 = { reinterpret_cast<intptr_t> (Boolean_tB53F6830F670160873277339AA58F15CAED4399C_0_0_0_var) }; Type_t * L_12 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_11, /*hidden argument*/NULL); NullCheck(L_10); ArrayElementTypeCheck (L_10, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_12, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_12, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_13 = L_10; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_14 = { reinterpret_cast<intptr_t> (Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_0_0_0_var) }; Type_t * L_15 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_14, /*hidden argument*/NULL); NullCheck(L_13); ArrayElementTypeCheck (L_13, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_15, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_15, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_16 = L_13; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_17 = { reinterpret_cast<intptr_t> (SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_0_0_0_var) }; Type_t * L_18 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_17, /*hidden argument*/NULL); NullCheck(L_16); ArrayElementTypeCheck (L_16, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_18, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_18, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_19 = L_16; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_20 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_21 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_20, /*hidden argument*/NULL); NullCheck(L_19); ArrayElementTypeCheck (L_19, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_21, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_21, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_22 = L_19; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_23 = { reinterpret_cast<intptr_t> (Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_0_0_0_var) }; Type_t * L_24 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_23, /*hidden argument*/NULL); NullCheck(L_22); ArrayElementTypeCheck (L_22, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_24, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(7), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_24, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_25 = L_22; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_26 = { reinterpret_cast<intptr_t> (UInt16_tAE45CEF73BF720100519F6867F32145D075F928E_0_0_0_var) }; Type_t * L_27 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_26, /*hidden argument*/NULL); NullCheck(L_25); ArrayElementTypeCheck (L_25, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_27, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_25)->SetAt(static_cast<il2cpp_array_size_t>(8), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_27, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_28 = L_25; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_29 = { reinterpret_cast<intptr_t> (Int32_t585191389E07734F19F3156FF88FB3EF4800D102_0_0_0_var) }; Type_t * L_30 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_29, /*hidden argument*/NULL); NullCheck(L_28); ArrayElementTypeCheck (L_28, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_31 = L_28; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_32 = { reinterpret_cast<intptr_t> (UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_0_0_0_var) }; Type_t * L_33 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_32, /*hidden argument*/NULL); NullCheck(L_31); ArrayElementTypeCheck (L_31, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_33, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_33, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_34 = L_31; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_35 = { reinterpret_cast<intptr_t> (Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_0_0_0_var) }; Type_t * L_36 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_35, /*hidden argument*/NULL); NullCheck(L_34); ArrayElementTypeCheck (L_34, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_36, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_36, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_37 = L_34; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_38 = { reinterpret_cast<intptr_t> (UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_0_0_0_var) }; Type_t * L_39 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_38, /*hidden argument*/NULL); NullCheck(L_37); ArrayElementTypeCheck (L_37, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_39, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_37)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_39, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_40 = L_37; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_41 = { reinterpret_cast<intptr_t> (Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_0_0_0_var) }; Type_t * L_42 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_41, /*hidden argument*/NULL); NullCheck(L_40); ArrayElementTypeCheck (L_40, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_42, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_40)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_42, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_43 = L_40; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_44 = { reinterpret_cast<intptr_t> (Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_0_0_0_var) }; Type_t * L_45 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_44, /*hidden argument*/NULL); NullCheck(L_43); ArrayElementTypeCheck (L_43, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_45, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_43)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_45, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_46 = L_43; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_47 = { reinterpret_cast<intptr_t> (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_0_0_0_var) }; Type_t * L_48 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_47, /*hidden argument*/NULL); NullCheck(L_46); ArrayElementTypeCheck (L_46, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_48, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_46)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_48, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_49 = L_46; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_50 = { reinterpret_cast<intptr_t> (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_0_0_0_var) }; Type_t * L_51 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_50, /*hidden argument*/NULL); NullCheck(L_49); ArrayElementTypeCheck (L_49, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_51, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_49)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_51, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_52 = L_49; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (RuntimeObject_0_0_0_var) }; Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_53, /*hidden argument*/NULL); NullCheck(L_52); ArrayElementTypeCheck (L_52, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_54, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_52)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_54, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); RuntimeTypeU5BU5D_tD8ADAF35960AACE7B524A8DDF0CEAC7D151161FE* L_55 = L_52; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_56 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; Type_t * L_57 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_56, /*hidden argument*/NULL); NullCheck(L_55); ArrayElementTypeCheck (L_55, ((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_57, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); (L_55)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_57, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->set_ConvertTypes_0(L_55); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_58 = { reinterpret_cast<intptr_t> (Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_0_0_0_var) }; Type_t * L_59 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_58, /*hidden argument*/NULL); ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->set_EnumType_1(((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)CastclassClass((RuntimeObject*)L_59, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var))); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_60 = (CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)SZArrayNew(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2_il2cpp_TypeInfo_var, (uint32_t)((int32_t)65)); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_61 = L_60; RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF L_62 = { reinterpret_cast<intptr_t> (U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____A1319B706116AB2C6D44483F60A7D0ACEA543396_91_FieldInfo_var) }; RuntimeHelpers_InitializeArray_m29F50CDFEEE0AB868200291366253DD4737BC76A((RuntimeArray *)(RuntimeArray *)L_61, L_62, /*hidden argument*/NULL); ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->set_base64Table_2(L_61); IL2CPP_RUNTIME_CLASS_INIT(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_il2cpp_TypeInfo_var); DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * L_63 = ((DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_StaticFields*)il2cpp_codegen_static_fields_for(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_il2cpp_TypeInfo_var))->get_Value_0(); ((Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_StaticFields*)il2cpp_codegen_static_fields_for(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var))->set_DBNull_3(L_63); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.CultureAwareComparer::.ctor(System.Globalization.CultureInfo,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void CultureAwareComparer__ctor_m932FEC0DC86BAD111BC13357F712B51262F4EB28 (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___culture0, bool ___ignoreCase1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (CultureAwareComparer__ctor_m932FEC0DC86BAD111BC13357F712B51262F4EB28_MetadataUsageId); s_Il2CppMethodInitialized = true; } CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * G_B2_0 = NULL; CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * G_B1_0 = NULL; int32_t G_B3_0 = 0; CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * G_B3_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(StringComparer_t588BC7FEF85D6E7425E0A8147A3D5A334F1F82DE_il2cpp_TypeInfo_var); StringComparer__ctor_mB32547253FAD35661634154EE51010A1BFA84142(__this, /*hidden argument*/NULL); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_0 = ___culture0; NullCheck(L_0); CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_1 = VirtFuncInvoker0< CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * >::Invoke(13 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_0); __this->set__compareInfo_4(L_1); bool L_2 = ___ignoreCase1; __this->set__ignoreCase_5(L_2); bool L_3 = ___ignoreCase1; G_B1_0 = __this; if (L_3) { G_B2_0 = __this; goto IL_0020; } } { G_B3_0 = 0; G_B3_1 = G_B1_0; goto IL_0021; } IL_0020: { G_B3_0 = 1; G_B3_1 = G_B2_0; } IL_0021: { NullCheck(G_B3_1); G_B3_1->set__options_6(G_B3_0); return; } } // System.Int32 System.CultureAwareComparer::Compare(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t CultureAwareComparer_Compare_mFAC57FE09A32284BFD0A6341DAEDE699CD8F7875 (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, String_t* ___x0, String_t* ___y1, const RuntimeMethod* method) { { String_t* L_0 = ___x0; String_t* L_1 = ___y1; if ((!(((RuntimeObject*)(String_t*)L_0) == ((RuntimeObject*)(String_t*)L_1)))) { goto IL_0006; } } { return 0; } IL_0006: { String_t* L_2 = ___x0; if (L_2) { goto IL_000b; } } { return (-1); } IL_000b: { String_t* L_3 = ___y1; if (L_3) { goto IL_0010; } } { return 1; } IL_0010: { CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_4 = __this->get__compareInfo_4(); String_t* L_5 = ___x0; String_t* L_6 = ___y1; int32_t L_7 = __this->get__options_6(); NullCheck(L_4); int32_t L_8 = VirtFuncInvoker3< int32_t, String_t*, String_t*, int32_t >::Invoke(7 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.String,System.Globalization.CompareOptions) */, L_4, L_5, L_6, L_7); return L_8; } } // System.Boolean System.CultureAwareComparer::Equals(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool CultureAwareComparer_Equals_mB8AECEA6632EF58EAC9885DF10E85746F37D250F (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, String_t* ___x0, String_t* ___y1, const RuntimeMethod* method) { { String_t* L_0 = ___x0; String_t* L_1 = ___y1; if ((!(((RuntimeObject*)(String_t*)L_0) == ((RuntimeObject*)(String_t*)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { String_t* L_2 = ___x0; if (!L_2) { goto IL_000c; } } { String_t* L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_4 = __this->get__compareInfo_4(); String_t* L_5 = ___x0; String_t* L_6 = ___y1; int32_t L_7 = __this->get__options_6(); NullCheck(L_4); int32_t L_8 = VirtFuncInvoker3< int32_t, String_t*, String_t*, int32_t >::Invoke(7 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.String,System.Globalization.CompareOptions) */, L_4, L_5, L_6, L_7); return (bool)((((int32_t)L_8) == ((int32_t)0))? 1 : 0); } } // System.Int32 System.CultureAwareComparer::GetHashCode(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t CultureAwareComparer_GetHashCode_m6ADEE70C24EB4AAB42C72C9808DF036EDE055D9A (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, String_t* ___obj0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (CultureAwareComparer_GetHashCode_m6ADEE70C24EB4AAB42C72C9808DF036EDE055D9A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___obj0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral9B5C0B859FABA061DD60FD8070FCE74FCEE29D0B, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, CultureAwareComparer_GetHashCode_m6ADEE70C24EB4AAB42C72C9808DF036EDE055D9A_RuntimeMethod_var); } IL_000e: { CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_2 = __this->get__compareInfo_4(); String_t* L_3 = ___obj0; int32_t L_4 = __this->get__options_6(); NullCheck(L_2); int32_t L_5 = CompareInfo_GetHashCodeOfString_m91DE0691957416A2BBC9AADD8D4AE2A2885A5AB3(L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } } // System.Boolean System.CultureAwareComparer::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool CultureAwareComparer_Equals_mEA38131EAA97A1058C5A284AE1F9A03DC8412CD2 (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (CultureAwareComparer_Equals_mEA38131EAA97A1058C5A284AE1F9A03DC8412CD2_MetadataUsageId); s_Il2CppMethodInitialized = true; } CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * V_0 = NULL; { RuntimeObject * L_0 = ___obj0; V_0 = ((CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 *)IsInstSealed((RuntimeObject*)L_0, CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058_il2cpp_TypeInfo_var)); CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * L_1 = V_0; if (L_1) { goto IL_000c; } } { return (bool)0; } IL_000c: { bool L_2 = __this->get__ignoreCase_5(); CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * L_3 = V_0; NullCheck(L_3); bool L_4 = L_3->get__ignoreCase_5(); if ((!(((uint32_t)L_2) == ((uint32_t)L_4)))) { goto IL_003e; } } { CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_5 = __this->get__compareInfo_4(); CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * L_6 = V_0; NullCheck(L_6); CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_7 = L_6->get__compareInfo_4(); NullCheck(L_5); bool L_8 = VirtFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_5, L_7); if (!L_8) { goto IL_003c; } } { int32_t L_9 = __this->get__options_6(); CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * L_10 = V_0; NullCheck(L_10); int32_t L_11 = L_10->get__options_6(); return (bool)((((int32_t)L_9) == ((int32_t)L_11))? 1 : 0); } IL_003c: { return (bool)0; } IL_003e: { return (bool)0; } } // System.Int32 System.CultureAwareComparer::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t CultureAwareComparer_GetHashCode_m79D2648739C821E743AEE4E15471D9C58F86BAF8 (CultureAwareComparer_tFCEC16B02A638A8DFF49C7C8C507A6A889C8E058 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { CompareInfo_tB9A071DBC11AC00AF2EA2066D0C2AE1DCB1865D1 * L_0 = __this->get__compareInfo_4(); NullCheck(L_0); int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_0); V_0 = L_1; bool L_2 = __this->get__ignoreCase_5(); if (L_2) { goto IL_0016; } } { int32_t L_3 = V_0; return L_3; } IL_0016: { int32_t L_4 = V_0; return ((~L_4)); } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.CurrentSystemTimeZone::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void CurrentSystemTimeZone__ctor_m19D1DDA56D25F55B9EF411773A18CC0914DA61C4 (CurrentSystemTimeZone_t7689B8BF1C4A474BD3CFA5B8E89FA84A53D44171 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (CurrentSystemTimeZone__ctor_m19D1DDA56D25F55B9EF411773A18CC0914DA61C4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(TimeZone_tA2DF435DA1A379978B885F0872A93774666B7454_il2cpp_TypeInfo_var); TimeZone__ctor_mBD56855E65E61A15C21F434032207DF5469CEF31(__this, /*hidden argument*/NULL); TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * L_0 = TimeZoneInfo_get_Local_mD208D43B3366D6E489CA49A7F21164373CEC24FD(/*hidden argument*/NULL); __this->set_LocalTimeZone_3(L_0); return; } } // System.TimeSpan System.CurrentSystemTimeZone::GetUtcOffset(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 CurrentSystemTimeZone_GetUtcOffset_m5A2292AB58E072C8C11975699EFEA9B3DE8A741A (CurrentSystemTimeZone_t7689B8BF1C4A474BD3CFA5B8E89FA84A53D44171 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (CurrentSystemTimeZone_GetUtcOffset_m5A2292AB58E072C8C11975699EFEA9B3DE8A741A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); if ((!(((uint32_t)L_0) == ((uint32_t)1)))) { goto IL_0010; } } { IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1 = ((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields*)il2cpp_codegen_static_fields_for(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var))->get_Zero_0(); return L_1; } IL_0010: { TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * L_2 = __this->get_LocalTimeZone_3(); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_3 = ___dateTime0; NullCheck(L_2); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_4 = TimeZoneInfo_GetUtcOffset_mB87444CE19A766D8190FCA7508AE192E66E9436D(L_2, L_3, /*hidden argument*/NULL); return L_4; } } // System.Boolean System.CurrentSystemTimeZone::GetTimeZoneData(System.Int32,System.Int64[]&,System.String[]&,System.Boolean&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool CurrentSystemTimeZone_GetTimeZoneData_m24EC5AA1CB7F2E2809CE4C2EE66FDB062C2EAFCF (int32_t ___year0, Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F** ___data1, StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** ___names2, bool* ___daylight_inverted3, const RuntimeMethod* method) { typedef bool (*CurrentSystemTimeZone_GetTimeZoneData_m24EC5AA1CB7F2E2809CE4C2EE66FDB062C2EAFCF_ftn) (int32_t, Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F**, StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E**, bool*); using namespace il2cpp::icalls; return ((CurrentSystemTimeZone_GetTimeZoneData_m24EC5AA1CB7F2E2809CE4C2EE66FDB062C2EAFCF_ftn)mscorlib::System::CurrentSystemTimeZone::GetTimeZoneData40) (___year0, ___data1, ___names2, ___daylight_inverted3); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.DBNull::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DBNull__ctor_m9A9476BA790C3C326D5322BDB552DBBD2DAD5996 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, const RuntimeMethod* method) { { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); return; } } // System.Void System.DBNull::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DBNull__ctor_m65FBEA4E461D29FD277A21BEAA693BD11DF7D3C9 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull__ctor_m65FBEA4E461D29FD277A21BEAA693BD11DF7D3C9_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL); String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral0BD33FDF3EDF96B20C8F243E32B177CA52FB1519, /*hidden argument*/NULL); NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 * L_1 = (NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 *)il2cpp_codegen_object_new(NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010_il2cpp_TypeInfo_var); NotSupportedException__ctor_mD023A89A5C1F740F43F0A9CD6C49DC21230B3CEE(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull__ctor_m65FBEA4E461D29FD277A21BEAA693BD11DF7D3C9_RuntimeMethod_var); } } // System.Void System.DBNull::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DBNull_GetObjectData_m016A085169FBF833FC9E299490B6BB5CE5D1BDDF (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; UnitySerializationHolder_GetUnitySerializationInfo_m86F654140996546DB4D6D8228BF9FE45E9BAEC3E(L_0, 2, (String_t*)NULL, (RuntimeAssembly_t5EE9CD749D82345AE5635B9665665C31A3308EB1 *)NULL, /*hidden argument*/NULL); return; } } // System.String System.DBNull::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DBNull_ToString_mA97EAD399B15473466B66DEFB53FC261A00BE785 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_ToString_mA97EAD399B15473466B66DEFB53FC261A00BE785_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); return L_0; } } // System.String System.DBNull::ToString(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DBNull_ToString_m57394DA26A502AAD19DBEAE045230CEB5F6FF236 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_ToString_m57394DA26A502AAD19DBEAE045230CEB5F6FF236_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); return L_0; } } // System.TypeCode System.DBNull::GetTypeCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DBNull_GetTypeCode_mA65EEE6FD352AA9B71AD3C254EC4BE4AF28DB655 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, const RuntimeMethod* method) { { return (int32_t)(2); } } // System.Boolean System.DBNull::System.IConvertible.ToBoolean(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DBNull_System_IConvertible_ToBoolean_m0F9A794EAEF58C50CFF9ECEE2760C4C63A0371B7 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToBoolean_m0F9A794EAEF58C50CFF9ECEE2760C4C63A0371B7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToBoolean_m0F9A794EAEF58C50CFF9ECEE2760C4C63A0371B7_RuntimeMethod_var); } } // System.Char System.DBNull::System.IConvertible.ToChar(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar DBNull_System_IConvertible_ToChar_m5B7CF101F29BCEAC2B229D25F8ADD330BDBD0793 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToChar_m5B7CF101F29BCEAC2B229D25F8ADD330BDBD0793_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToChar_m5B7CF101F29BCEAC2B229D25F8ADD330BDBD0793_RuntimeMethod_var); } } // System.SByte System.DBNull::System.IConvertible.ToSByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t DBNull_System_IConvertible_ToSByte_m858C48A31D48D55E63528C1FF77B32C6AB69BDDC (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToSByte_m858C48A31D48D55E63528C1FF77B32C6AB69BDDC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToSByte_m858C48A31D48D55E63528C1FF77B32C6AB69BDDC_RuntimeMethod_var); } } // System.Byte System.DBNull::System.IConvertible.ToByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t DBNull_System_IConvertible_ToByte_m8DEEB8376504FD41BE96151D41A8F9933F4C606F (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToByte_m8DEEB8376504FD41BE96151D41A8F9933F4C606F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToByte_m8DEEB8376504FD41BE96151D41A8F9933F4C606F_RuntimeMethod_var); } } // System.Int16 System.DBNull::System.IConvertible.ToInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t DBNull_System_IConvertible_ToInt16_mF1F70AA5E7C2F3A8DFDA93C46CD1F757208FDEB1 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToInt16_mF1F70AA5E7C2F3A8DFDA93C46CD1F757208FDEB1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToInt16_mF1F70AA5E7C2F3A8DFDA93C46CD1F757208FDEB1_RuntimeMethod_var); } } // System.UInt16 System.DBNull::System.IConvertible.ToUInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t DBNull_System_IConvertible_ToUInt16_mB4DFF398A4EB0E54E2CD632E9728D7162DA7A5EB (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToUInt16_mB4DFF398A4EB0E54E2CD632E9728D7162DA7A5EB_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToUInt16_mB4DFF398A4EB0E54E2CD632E9728D7162DA7A5EB_RuntimeMethod_var); } } // System.Int32 System.DBNull::System.IConvertible.ToInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DBNull_System_IConvertible_ToInt32_mE953190F1847562CC0CF798BE0237D903DFF7E67 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToInt32_mE953190F1847562CC0CF798BE0237D903DFF7E67_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToInt32_mE953190F1847562CC0CF798BE0237D903DFF7E67_RuntimeMethod_var); } } // System.UInt32 System.DBNull::System.IConvertible.ToUInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t DBNull_System_IConvertible_ToUInt32_m4CFFCFF1F58EE869C907CC5A2C2421034A628B81 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToUInt32_m4CFFCFF1F58EE869C907CC5A2C2421034A628B81_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToUInt32_m4CFFCFF1F58EE869C907CC5A2C2421034A628B81_RuntimeMethod_var); } } // System.Int64 System.DBNull::System.IConvertible.ToInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DBNull_System_IConvertible_ToInt64_m328C7202D595DF73985D48F2E6C3A8FD8E99977A (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToInt64_m328C7202D595DF73985D48F2E6C3A8FD8E99977A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToInt64_m328C7202D595DF73985D48F2E6C3A8FD8E99977A_RuntimeMethod_var); } } // System.UInt64 System.DBNull::System.IConvertible.ToUInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t DBNull_System_IConvertible_ToUInt64_m0F1C8A9AF9BEE4E93FF637569D1A0A28F1C2C628 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToUInt64_m0F1C8A9AF9BEE4E93FF637569D1A0A28F1C2C628_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToUInt64_m0F1C8A9AF9BEE4E93FF637569D1A0A28F1C2C628_RuntimeMethod_var); } } // System.Single System.DBNull::System.IConvertible.ToSingle(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float DBNull_System_IConvertible_ToSingle_m83559328EDDA097F34DE62755E9014D5DC226435 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToSingle_m83559328EDDA097F34DE62755E9014D5DC226435_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToSingle_m83559328EDDA097F34DE62755E9014D5DC226435_RuntimeMethod_var); } } // System.Double System.DBNull::System.IConvertible.ToDouble(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double DBNull_System_IConvertible_ToDouble_m7E3A77F228DEF3C0291F43571632FF0ADD22A8AA (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToDouble_m7E3A77F228DEF3C0291F43571632FF0ADD22A8AA_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToDouble_m7E3A77F228DEF3C0291F43571632FF0ADD22A8AA_RuntimeMethod_var); } } // System.Decimal System.DBNull::System.IConvertible.ToDecimal(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 DBNull_System_IConvertible_ToDecimal_mC30B1FDB8D3F4165E400A919FC0C1D5A5A5E6F0B (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToDecimal_mC30B1FDB8D3F4165E400A919FC0C1D5A5A5E6F0B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToDecimal_mC30B1FDB8D3F4165E400A919FC0C1D5A5A5E6F0B_RuntimeMethod_var); } } // System.DateTime System.DBNull::System.IConvertible.ToDateTime(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DBNull_System_IConvertible_ToDateTime_m3E8A9034AF13781C24C788FACCBD601637B73432 (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToDateTime_m3E8A9034AF13781C24C788FACCBD601637B73432_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFA54022A2807F906EA2A1C207A9347F4A1BEF5AA, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_1 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_1, L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DBNull_System_IConvertible_ToDateTime_m3E8A9034AF13781C24C788FACCBD601637B73432_RuntimeMethod_var); } } // System.Object System.DBNull::System.IConvertible.ToType(System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * DBNull_System_IConvertible_ToType_m6DE5E30330953145F76EF4BC8C8446C61FFB5E6D (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * __this, Type_t * ___type0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull_System_IConvertible_ToType_m6DE5E30330953145F76EF4BC8C8446C61FFB5E6D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Type_t * L_0 = ___type0; RuntimeObject* L_1 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeObject * L_2 = Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3(__this, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.DBNull::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DBNull__cctor_mC681597B5135AD25F2A598A96F2C7129C31283AE (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DBNull__cctor_mC681597B5135AD25F2A598A96F2C7129C31283AE_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 * L_0 = (DBNull_t7400E04939C2C29699B389B106997892BF53A8E5 *)il2cpp_codegen_object_new(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_il2cpp_TypeInfo_var); DBNull__ctor_m9A9476BA790C3C326D5322BDB552DBBD2DAD5996(L_0, /*hidden argument*/NULL); ((DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_StaticFields*)il2cpp_codegen_static_fields_for(DBNull_t7400E04939C2C29699B389B106997892BF53A8E5_il2cpp_TypeInfo_var))->set_Value_0(L_0); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // Conversion methods for marshalling of: System.DTSubString IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_pinvoke(const DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D& unmarshaled, DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_pinvoke& marshaled) { marshaled.___s_0 = il2cpp_codegen_marshal_string(unmarshaled.get_s_0()); marshaled.___index_1 = unmarshaled.get_index_1(); marshaled.___length_2 = unmarshaled.get_length_2(); marshaled.___type_3 = unmarshaled.get_type_3(); marshaled.___value_4 = unmarshaled.get_value_4(); } IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_pinvoke_back(const DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_pinvoke& marshaled, DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D& unmarshaled) { unmarshaled.set_s_0(il2cpp_codegen_marshal_string_result(marshaled.___s_0)); int32_t unmarshaled_index_temp_1 = 0; unmarshaled_index_temp_1 = marshaled.___index_1; unmarshaled.set_index_1(unmarshaled_index_temp_1); int32_t unmarshaled_length_temp_2 = 0; unmarshaled_length_temp_2 = marshaled.___length_2; unmarshaled.set_length_2(unmarshaled_length_temp_2); int32_t unmarshaled_type_temp_3 = 0; unmarshaled_type_temp_3 = marshaled.___type_3; unmarshaled.set_type_3(unmarshaled_type_temp_3); int32_t unmarshaled_value_temp_4 = 0; unmarshaled_value_temp_4 = marshaled.___value_4; unmarshaled.set_value_4(unmarshaled_value_temp_4); } // Conversion method for clean up from marshalling of: System.DTSubString IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_pinvoke_cleanup(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_pinvoke& marshaled) { il2cpp_codegen_marshal_free(marshaled.___s_0); marshaled.___s_0 = NULL; } // Conversion methods for marshalling of: System.DTSubString IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_com(const DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D& unmarshaled, DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_com& marshaled) { marshaled.___s_0 = il2cpp_codegen_marshal_bstring(unmarshaled.get_s_0()); marshaled.___index_1 = unmarshaled.get_index_1(); marshaled.___length_2 = unmarshaled.get_length_2(); marshaled.___type_3 = unmarshaled.get_type_3(); marshaled.___value_4 = unmarshaled.get_value_4(); } IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_com_back(const DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_com& marshaled, DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D& unmarshaled) { unmarshaled.set_s_0(il2cpp_codegen_marshal_bstring_result(marshaled.___s_0)); int32_t unmarshaled_index_temp_1 = 0; unmarshaled_index_temp_1 = marshaled.___index_1; unmarshaled.set_index_1(unmarshaled_index_temp_1); int32_t unmarshaled_length_temp_2 = 0; unmarshaled_length_temp_2 = marshaled.___length_2; unmarshaled.set_length_2(unmarshaled_length_temp_2); int32_t unmarshaled_type_temp_3 = 0; unmarshaled_type_temp_3 = marshaled.___type_3; unmarshaled.set_type_3(unmarshaled_type_temp_3); int32_t unmarshaled_value_temp_4 = 0; unmarshaled_value_temp_4 = marshaled.___value_4; unmarshaled.set_value_4(unmarshaled_value_temp_4); } // Conversion method for clean up from marshalling of: System.DTSubString IL2CPP_EXTERN_C void DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshal_com_cleanup(DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D_marshaled_com& marshaled) { il2cpp_codegen_marshal_free_bstring(marshaled.___s_0); marshaled.___s_0 = NULL; } // System.Char System.DTSubString::get_Item(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar DTSubString_get_Item_mD569E347AE9009D19F72CF9A6AD2B202C9133F99 (DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D * __this, int32_t ___relativeIndex0, const RuntimeMethod* method) { { String_t* L_0 = __this->get_s_0(); int32_t L_1 = __this->get_index_1(); int32_t L_2 = ___relativeIndex0; NullCheck(L_0); Il2CppChar L_3 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_0, ((int32_t)il2cpp_codegen_add((int32_t)L_1, (int32_t)L_2)), /*hidden argument*/NULL); return L_3; } } IL2CPP_EXTERN_C Il2CppChar DTSubString_get_Item_mD569E347AE9009D19F72CF9A6AD2B202C9133F99_AdjustorThunk (RuntimeObject * __this, int32_t ___relativeIndex0, const RuntimeMethod* method) { int32_t _offset = 1; DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D * _thisAdjusted = reinterpret_cast<DTSubString_t0B5F9998AD0833CCE29248DE20EFEBFE9EBFB93D *>(__this + _offset); return DTSubString_get_Item_mD569E347AE9009D19F72CF9A6AD2B202C9133F99(_thisAdjusted, ___relativeIndex0, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.DateTime::.ctor(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___ticks0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0011; } } { int64_t L_1 = ___ticks0; if ((((int64_t)L_1) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0026; } } IL_0011: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral7DA9F73A36ABE2E58D56D121E5A7E2C3CF329C27, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C_RuntimeMethod_var); } IL_0026: { int64_t L_4 = ___ticks0; __this->set_dateData_44(L_4); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C_AdjustorThunk (RuntimeObject * __this, int64_t ___ticks0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m027A935E14EB81BCC0739BD56AE60CDE3387990C(_thisAdjusted, ___ticks0, method); } // System.Void System.DateTime::.ctor(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, uint64_t ___dateData0, const RuntimeMethod* method) { { uint64_t L_0 = ___dateData0; __this->set_dateData_44(L_0); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_AdjustorThunk (RuntimeObject * __this, uint64_t ___dateData0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline(_thisAdjusted, ___dateData0, method); } // System.Void System.DateTime::.ctor(System.Int64,System.DateTimeKind) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, int32_t ___kind1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___ticks0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0011; } } { int64_t L_1 = ___ticks0; if ((((int64_t)L_1) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0026; } } IL_0011: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral7DA9F73A36ABE2E58D56D121E5A7E2C3CF329C27, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_RuntimeMethod_var); } IL_0026: { int32_t L_4 = ___kind1; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_002e; } } { int32_t L_5 = ___kind1; if ((((int32_t)L_5) <= ((int32_t)2))) { goto IL_0043; } } IL_002e: { String_t* L_6 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral82237410ED07589538EA563BE12E6D18D81CA295, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_7 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_7, L_6, _stringLiteral0EF25AE00F40C8471EE44B720036ABCC25E96CEE, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_RuntimeMethod_var); } IL_0043: { int64_t L_8 = ___ticks0; int32_t L_9 = ___kind1; __this->set_dateData_44(((int64_t)((int64_t)L_8|(int64_t)((int64_t)((int64_t)(((int64_t)((int64_t)L_9)))<<(int32_t)((int32_t)62)))))); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F_AdjustorThunk (RuntimeObject * __this, int64_t ___ticks0, int32_t ___kind1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F(_thisAdjusted, ___ticks0, ___kind1, method); } // System.Void System.DateTime::.ctor(System.Int64,System.DateTimeKind,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___ticks0, int32_t ___kind1, bool ___isAmbiguousDst2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t G_B5_0 = 0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * G_B5_1 = NULL; int64_t G_B4_0 = 0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * G_B4_1 = NULL; int64_t G_B6_0 = 0; int64_t G_B6_1 = 0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * G_B6_2 = NULL; { int64_t L_0 = ___ticks0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0011; } } { int64_t L_1 = ___ticks0; if ((((int64_t)L_1) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0026; } } IL_0011: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral7DA9F73A36ABE2E58D56D121E5A7E2C3CF329C27, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84_RuntimeMethod_var); } IL_0026: { int64_t L_4 = ___ticks0; bool L_5 = ___isAmbiguousDst2; G_B4_0 = L_4; G_B4_1 = __this; if (L_5) { G_B5_0 = L_4; G_B5_1 = __this; goto IL_0036; } } { G_B6_0 = ((int64_t)(std::numeric_limits<int64_t>::min)()); G_B6_1 = G_B4_0; G_B6_2 = G_B4_1; goto IL_003f; } IL_0036: { G_B6_0 = ((int64_t)-4611686018427387904LL); G_B6_1 = G_B5_0; G_B6_2 = G_B5_1; } IL_003f: { G_B6_2->set_dateData_44(((int64_t)((int64_t)G_B6_1|(int64_t)G_B6_0))); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84_AdjustorThunk (RuntimeObject * __this, int64_t ___ticks0, int32_t ___kind1, bool ___isAmbiguousDst2, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84(_thisAdjusted, ___ticks0, ___kind1, ___isAmbiguousDst2, method); } // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___year0; int32_t L_1 = ___month1; int32_t L_2 = ___day2; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_3 = DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64(L_0, L_1, L_2, /*hidden argument*/NULL); __this->set_dateData_44(L_3); return; } } IL2CPP_EXTERN_C void DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A_AdjustorThunk (RuntimeObject * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_mF4506D7FF3B64F7EC739A36667DC8BC089A6539A(_thisAdjusted, ___year0, ___month1, ___day2, method); } // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___year0; int32_t L_1 = ___month1; int32_t L_2 = ___day2; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_3 = DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64(L_0, L_1, L_2, /*hidden argument*/NULL); int32_t L_4 = ___hour3; int32_t L_5 = ___minute4; int32_t L_6 = ___second5; int64_t L_7 = DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB(L_4, L_5, L_6, /*hidden argument*/NULL); __this->set_dateData_44(((int64_t)il2cpp_codegen_add((int64_t)L_3, (int64_t)L_7))); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667_AdjustorThunk (RuntimeObject * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m627486A7CFC2016C8A1646442155BE45A8062667(_thisAdjusted, ___year0, ___month1, ___day2, ___hour3, ___minute4, ___second5, method); } // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, int32_t ___millisecond6, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; { int32_t L_0 = ___millisecond6; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_000e; } } { int32_t L_1 = ___millisecond6; if ((((int32_t)L_1) < ((int32_t)((int32_t)1000)))) { goto IL_003f; } } IL_000e: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = L_2; int32_t L_4 = 0; RuntimeObject * L_5 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_4); NullCheck(L_3); ArrayElementTypeCheck (L_3, L_5); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_5); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = L_3; int32_t L_7 = ((int32_t)999); RuntimeObject * L_8 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_7); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_8); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8); String_t* L_9 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralA980EEDA49322EB9BE88B6480B2BE63B70186B1E, L_6, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_10 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_10, _stringLiteral7779E9DF0BDDB39AD9871F3D3FAF9F9C59A62C5B, L_9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_RuntimeMethod_var); } IL_003f: { int32_t L_11 = ___year0; int32_t L_12 = ___month1; int32_t L_13 = ___day2; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_14 = DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64(L_11, L_12, L_13, /*hidden argument*/NULL); int32_t L_15 = ___hour3; int32_t L_16 = ___minute4; int32_t L_17 = ___second5; int64_t L_18 = DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB(L_15, L_16, L_17, /*hidden argument*/NULL); V_0 = ((int64_t)il2cpp_codegen_add((int64_t)L_14, (int64_t)L_18)); int64_t L_19 = V_0; int32_t L_20 = ___millisecond6; V_0 = ((int64_t)il2cpp_codegen_add((int64_t)L_19, (int64_t)((int64_t)il2cpp_codegen_multiply((int64_t)(((int64_t)((int64_t)L_20))), (int64_t)(((int64_t)((int64_t)((int32_t)10000)))))))); int64_t L_21 = V_0; if ((((int64_t)L_21) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0072; } } { int64_t L_22 = V_0; if ((((int64_t)L_22) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0082; } } IL_0072: { String_t* L_23 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral8982655AE29E9D3137AA597B404ACE4E0F6B958F, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_24 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24, DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_RuntimeMethod_var); } IL_0082: { int64_t L_25 = V_0; __this->set_dateData_44(L_25); return; } } IL2CPP_EXTERN_C void DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E_AdjustorThunk (RuntimeObject * __this, int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, int32_t ___millisecond6, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m6567CDEB97E6541CE4AF8ADDC617CFF419D5A58E(_thisAdjusted, ___year0, ___month1, ___day2, ___hour3, ___minute4, ___second5, ___millisecond6, method); } // System.Void System.DateTime::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; bool V_1 = false; int64_t V_2 = 0; uint64_t V_3 = 0; SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * V_4 = NULL; int64_t V_5 = 0; String_t* V_6 = NULL; { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_RuntimeMethod_var); } IL_000e: { V_0 = (bool)0; V_1 = (bool)0; V_2 = (((int64_t)((int64_t)0))); V_3 = (((int64_t)((int64_t)0))); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_2 = ___info0; NullCheck(L_2); SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * L_3 = SerializationInfo_GetEnumerator_m9796C5CB43B69B5236D530A547A4FC24ABB0B575(L_2, /*hidden argument*/NULL); V_4 = L_3; goto IL_0073; } IL_0022: { SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * L_4 = V_4; NullCheck(L_4); String_t* L_5 = SerializationInfoEnumerator_get_Name_m925E3C668A70982F88C8EBEEB86BA0D45B71857E(L_4, /*hidden argument*/NULL); V_6 = L_5; String_t* L_6 = V_6; bool L_7 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_6, _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A, /*hidden argument*/NULL); if (L_7) { goto IL_0049; } } { String_t* L_8 = V_6; bool L_9 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_8, _stringLiteral8D475FBD52CC44C4B3646CB6D42B92B682940C75, /*hidden argument*/NULL); if (L_9) { goto IL_005f; } } { goto IL_0073; } IL_0049: { SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * L_10 = V_4; NullCheck(L_10); RuntimeObject * L_11 = SerializationInfoEnumerator_get_Value_m90F91B3AFD43BA00E4A69FC0954761CFD9C55AE1(L_10, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_12 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); int64_t L_13 = Convert_ToInt64_m8964FDE5D82FEC54106DBF35E1F67D70F6E73E29(L_11, L_12, /*hidden argument*/NULL); V_2 = L_13; V_0 = (bool)1; goto IL_0073; } IL_005f: { SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * L_14 = V_4; NullCheck(L_14); RuntimeObject * L_15 = SerializationInfoEnumerator_get_Value_m90F91B3AFD43BA00E4A69FC0954761CFD9C55AE1(L_14, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_16 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); uint64_t L_17 = Convert_ToUInt64_mA8C3C5498FC28CBA0EB0C37409EB9E04CCF6B8D2(L_15, L_16, /*hidden argument*/NULL); V_3 = L_17; V_1 = (bool)1; } IL_0073: { SerializationInfoEnumerator_tB72162C419D705A40F34DDFEB18E6ACA347C54E5 * L_18 = V_4; NullCheck(L_18); bool L_19 = SerializationInfoEnumerator_MoveNext_m74D8DE9528E7DDD141DD45ABF4B54F832DE35701(L_18, /*hidden argument*/NULL); if (L_19) { goto IL_0022; } } { bool L_20 = V_1; if (!L_20) { goto IL_0088; } } { uint64_t L_21 = V_3; __this->set_dateData_44(L_21); goto IL_00a4; } IL_0088: { bool L_22 = V_0; if (!L_22) { goto IL_0094; } } { int64_t L_23 = V_2; __this->set_dateData_44(L_23); goto IL_00a4; } IL_0094: { String_t* L_24 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral60C475AA86353C499DE2FA8877E87D44031CE593, /*hidden argument*/NULL); SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * L_25 = (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 *)il2cpp_codegen_object_new(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var); SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1(L_25, L_24, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_25, DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_RuntimeMethod_var); } IL_00a4: { int64_t L_26 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_5 = L_26; int64_t L_27 = V_5; if ((((int64_t)L_27) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_00bf; } } { int64_t L_28 = V_5; if ((((int64_t)L_28) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_00cf; } } IL_00bf: { String_t* L_29 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral01A3CEF9C82C7345C59662510E0B421C6A6BDCFD, /*hidden argument*/NULL); SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * L_30 = (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 *)il2cpp_codegen_object_new(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var); SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1(L_30, L_29, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_30, DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_RuntimeMethod_var); } IL_00cf: { return; } } IL2CPP_EXTERN_C void DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E_AdjustorThunk (RuntimeObject * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime__ctor_m399F434D85D918405F74C5B04BCBD8C1B410F10E(_thisAdjusted, ___info0, ___context1, method); } // System.Int64 System.DateTime::get_InternalTicks() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { uint64_t L_0 = __this->get_dateData_44(); return ((int64_t)((int64_t)L_0&(int64_t)((int64_t)4611686018427387903LL))); } } IL2CPP_EXTERN_C int64_t DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469(_thisAdjusted, method); } // System.UInt64 System.DateTime::get_InternalKind() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { uint64_t L_0 = __this->get_dateData_44(); return ((int64_t)((int64_t)L_0&(int64_t)((int64_t)-4611686018427387904LL))); } } IL2CPP_EXTERN_C uint64_t DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42(_thisAdjusted, method); } // System.DateTime System.DateTime::Add(System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mA4F1A47C77858AC06AF07CCE9BDFF32F442B27DB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___value0, const RuntimeMethod* method) { { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_0 = ___value0; int64_t L_1 = L_0.get__ticks_3(); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_2 = DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, L_1, /*hidden argument*/NULL); return L_2; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mA4F1A47C77858AC06AF07CCE9BDFF32F442B27DB_AdjustorThunk (RuntimeObject * __this, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_Add_mA4F1A47C77858AC06AF07CCE9BDFF32F442B27DB(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::Add(System.Double,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, int32_t ___scale1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); double G_B2_0 = 0.0; double G_B1_0 = 0.0; double G_B3_0 = 0.0; double G_B3_1 = 0.0; IL_0000: try { // begin try (depth: 1) { double L_0 = ___value0; int32_t L_1 = ___scale1; double L_2 = ___value0; G_B1_0 = ((double)il2cpp_codegen_multiply((double)L_0, (double)(((double)((double)L_1))))); if ((((double)L_2) >= ((double)(0.0)))) { G_B2_0 = ((double)il2cpp_codegen_multiply((double)L_0, (double)(((double)((double)L_1))))); goto IL_001b; } } IL_0010: { G_B3_0 = (-0.5); G_B3_1 = G_B1_0; goto IL_0024; } IL_001b: { G_B3_0 = (0.5); G_B3_1 = G_B2_0; } IL_0024: { if (((double)il2cpp_codegen_add((double)G_B3_1, (double)G_B3_0)) > (double)((std::numeric_limits<int64_t>::max)())) IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception(), NULL); V_0 = (((int64_t)((int64_t)((double)il2cpp_codegen_add((double)G_B3_1, (double)G_B3_0))))); goto IL_003f; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t *)e.ex; if(il2cpp_codegen_class_is_assignable_from (OverflowException_tD89571E2350DE06D9DE4AB65ADCA77D607B5693D_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex))) goto CATCH_0029; throw e; } CATCH_0029: { // begin catch(System.OverflowException) String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9214C9F24885BBE3A6652B2B74E1F31D7DD4ADF2, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_4 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_4, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_RuntimeMethod_var); } // end catch (depth: 1) IL_003f: { int64_t L_5 = V_0; if ((((int64_t)L_5) <= ((int64_t)((int64_t)-315537897600000LL)))) { goto IL_0057; } } { int64_t L_6 = V_0; if ((((int64_t)L_6) < ((int64_t)((int64_t)315537897600000LL)))) { goto IL_006c; } } IL_0057: { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral9214C9F24885BBE3A6652B2B74E1F31D7DD4ADF2, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_RuntimeMethod_var); } IL_006c: { int64_t L_9 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_10 = DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, ((int64_t)il2cpp_codegen_multiply((int64_t)L_9, (int64_t)(((int64_t)((int64_t)((int32_t)10000)))))), /*hidden argument*/NULL); return L_10; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524_AdjustorThunk (RuntimeObject * __this, double ___value0, int32_t ___scale1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524(_thisAdjusted, ___value0, ___scale1, method); } // System.DateTime System.DateTime::AddDays(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddDays_mB11D2BB2D7DD6944D1071809574A951258F94D8E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, L_0, ((int32_t)86400000), /*hidden argument*/NULL); return L_1; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddDays_mB11D2BB2D7DD6944D1071809574A951258F94D8E_AdjustorThunk (RuntimeObject * __this, double ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddDays_mB11D2BB2D7DD6944D1071809574A951258F94D8E(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::AddMilliseconds(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMilliseconds_mD93AB4338708397D6030FF082EBB3FC8C3E195F2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, L_0, 1, /*hidden argument*/NULL); return L_1; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMilliseconds_mD93AB4338708397D6030FF082EBB3FC8C3E195F2_AdjustorThunk (RuntimeObject * __this, double ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddMilliseconds_mD93AB4338708397D6030FF082EBB3FC8C3E195F2(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::AddMonths(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___months0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; int32_t V_4 = 0; { int32_t L_0 = ___months0; if ((((int32_t)L_0) < ((int32_t)((int32_t)-120000)))) { goto IL_0010; } } { int32_t L_1 = ___months0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)120000)))) { goto IL_0025; } } IL_0010: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral0B5A448C29B008BE58461324EB08382F6A1DA419, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteralF1494311E45E6D88177EAF1A6727542529836CC8, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_RuntimeMethod_var); } IL_0025: { int32_t L_4 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 0, /*hidden argument*/NULL); V_0 = L_4; int32_t L_5 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 2, /*hidden argument*/NULL); V_1 = L_5; int32_t L_6 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 3, /*hidden argument*/NULL); V_2 = L_6; int32_t L_7 = V_1; int32_t L_8 = ___months0; V_3 = ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)1)), (int32_t)L_8)); int32_t L_9 = V_3; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_0057; } } { int32_t L_10 = V_3; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)((int32_t)L_10%(int32_t)((int32_t)12))), (int32_t)1)); int32_t L_11 = V_0; int32_t L_12 = V_3; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)((int32_t)((int32_t)L_12/(int32_t)((int32_t)12))))); goto IL_006b; } IL_0057: { int32_t L_13 = V_3; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)12), (int32_t)((int32_t)((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_13, (int32_t)1))%(int32_t)((int32_t)12))))); int32_t L_14 = V_0; int32_t L_15 = V_3; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)((int32_t)((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)((int32_t)11)))/(int32_t)((int32_t)12))))); } IL_006b: { int32_t L_16 = V_0; if ((((int32_t)L_16) < ((int32_t)1))) { goto IL_0077; } } { int32_t L_17 = V_0; if ((((int32_t)L_17) <= ((int32_t)((int32_t)9999)))) { goto IL_008c; } } IL_0077: { String_t* L_18 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6CD6471277F304FD7D1ADCD50886324343DBE87F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_19 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_19, _stringLiteralF1494311E45E6D88177EAF1A6727542529836CC8, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19, DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_RuntimeMethod_var); } IL_008c: { int32_t L_20 = V_0; int32_t L_21 = V_1; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int32_t L_22 = DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90(L_20, L_21, /*hidden argument*/NULL); V_4 = L_22; int32_t L_23 = V_2; int32_t L_24 = V_4; if ((((int32_t)L_23) <= ((int32_t)L_24))) { goto IL_009d; } } { int32_t L_25 = V_4; V_2 = L_25; } IL_009d: { int32_t L_26 = V_0; int32_t L_27 = V_1; int32_t L_28 = V_2; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_29 = DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64(L_26, L_27, L_28, /*hidden argument*/NULL); int64_t L_30 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); uint64_t L_31 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_32; memset((&L_32), 0, sizeof(L_32)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_32), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_add((int64_t)L_29, (int64_t)((int64_t)((int64_t)L_30%(int64_t)((int64_t)864000000000LL)))))|(int64_t)L_31)), /*hidden argument*/NULL); return L_32; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC_AdjustorThunk (RuntimeObject * __this, int32_t ___months0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC(_thisAdjusted, ___months0, method); } // System.DateTime System.DateTime::AddSeconds(System.Double) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddSeconds_m36DC8835432569A70AC5120359527350DD65D6B2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = DateTime_Add_mC05E213CD5FC31C6AA98BB0B741EF319A0142524((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, L_0, ((int32_t)1000), /*hidden argument*/NULL); return L_1; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddSeconds_m36DC8835432569A70AC5120359527350DD65D6B2_AdjustorThunk (RuntimeObject * __this, double ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddSeconds_m36DC8835432569A70AC5120359527350DD65D6B2(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::AddTicks(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int64_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_0 = L_0; int64_t L_1 = ___value0; int64_t L_2 = V_0; if ((((int64_t)L_1) > ((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)((int64_t)3155378975999999999LL), (int64_t)L_2))))) { goto IL_001c; } } { int64_t L_3 = ___value0; int64_t L_4 = V_0; if ((((int64_t)L_3) >= ((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)(((int64_t)((int64_t)0))), (int64_t)L_4))))) { goto IL_0031; } } IL_001c: { String_t* L_5 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6CD6471277F304FD7D1ADCD50886324343DBE87F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_6, _stringLiteralF32B67C7E26342AF42EFABC674D441DCA0A281C5, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5_RuntimeMethod_var); } IL_0031: { int64_t L_7 = V_0; int64_t L_8 = ___value0; uint64_t L_9 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_10; memset((&L_10), 0, sizeof(L_10)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_10), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_add((int64_t)L_7, (int64_t)L_8))|(int64_t)L_9)), /*hidden argument*/NULL); return L_10; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5_AdjustorThunk (RuntimeObject * __this, int64_t ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddTicks_m0FAD7AE5AEAF9DB974BBA46C0749163DD9DD0AA5(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::AddYears(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___value0; if ((((int32_t)L_0) < ((int32_t)((int32_t)-10000)))) { goto IL_0010; } } { int32_t L_1 = ___value0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)10000)))) { goto IL_0025; } } IL_0010: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralBA5566E02CA7D0FF07946B5BE9A254A7BA000156, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteralE21EE77D500910A11959B5AF57FD48D7CF7F326A, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2_RuntimeMethod_var); } IL_0025: { int32_t L_4 = ___value0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_5 = DateTime_AddMonths_mFACFF352D9DFA0D4B3AC47BFFEA0564F163D7AEC((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, ((int32_t)il2cpp_codegen_multiply((int32_t)L_4, (int32_t)((int32_t)12))), /*hidden argument*/NULL); return L_5; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2_AdjustorThunk (RuntimeObject * __this, int32_t ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_AddYears_m4D66AFB61758D852CEEFE29D103C88106C6847A2(_thisAdjusted, ___value0, method); } // System.Int32 System.DateTime::CompareTo(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; int64_t V_1 = 0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_2; memset((&V_2), 0, sizeof(V_2)); { RuntimeObject * L_0 = ___value0; if (L_0) { goto IL_0005; } } { return 1; } IL_0005: { RuntimeObject * L_1 = ___value0; if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_1, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))) { goto IL_001d; } } { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral0EEEC4869A9E258F65B3250DEAFDD0D174088EE5, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_3 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C_RuntimeMethod_var); } IL_001d: { RuntimeObject * L_4 = ___value0; V_2 = ((*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)UnBox(L_4, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var)))); int64_t L_5 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_2), /*hidden argument*/NULL); V_0 = L_5; int64_t L_6 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_1 = L_6; int64_t L_7 = V_1; int64_t L_8 = V_0; if ((((int64_t)L_7) <= ((int64_t)L_8))) { goto IL_0039; } } { return 1; } IL_0039: { int64_t L_9 = V_1; int64_t L_10 = V_0; if ((((int64_t)L_9) >= ((int64_t)L_10))) { goto IL_003f; } } { return (-1); } IL_003f: { return 0; } } IL2CPP_EXTERN_C int32_t DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_CompareTo_mC233DDAE807A48EE6895CC09CE22E111E506D08C(_thisAdjusted, ___value0, method); } // System.Int32 System.DateTime::CompareTo(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_CompareTo_mB538B6524ED249F1A5ED43E00D61F7D9EB3DAD6E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { int64_t V_0 = 0; int64_t V_1 = 0; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___value0), /*hidden argument*/NULL); V_0 = L_0; int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_1 = L_1; int64_t L_2 = V_1; int64_t L_3 = V_0; if ((((int64_t)L_2) <= ((int64_t)L_3))) { goto IL_0015; } } { return 1; } IL_0015: { int64_t L_4 = V_1; int64_t L_5 = V_0; if ((((int64_t)L_4) >= ((int64_t)L_5))) { goto IL_001b; } } { return (-1); } IL_001b: { return 0; } } IL2CPP_EXTERN_C int32_t DateTime_CompareTo_mB538B6524ED249F1A5ED43E00D61F7D9EB3DAD6E_AdjustorThunk (RuntimeObject * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_CompareTo_mB538B6524ED249F1A5ED43E00D61F7D9EB3DAD6E(_thisAdjusted, ___value0, method); } // System.Int64 System.DateTime::DateToTicks(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64 (int32_t ___year0, int32_t ___month1, int32_t ___day2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64_MetadataUsageId); s_Il2CppMethodInitialized = true; } Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* V_0 = NULL; int32_t V_1 = 0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* G_B7_0 = NULL; { int32_t L_0 = ___year0; if ((((int32_t)L_0) < ((int32_t)1))) { goto IL_006c; } } { int32_t L_1 = ___year0; if ((((int32_t)L_1) > ((int32_t)((int32_t)9999)))) { goto IL_006c; } } { int32_t L_2 = ___month1; if ((((int32_t)L_2) < ((int32_t)1))) { goto IL_006c; } } { int32_t L_3 = ___month1; if ((((int32_t)L_3) > ((int32_t)((int32_t)12)))) { goto IL_006c; } } { int32_t L_4 = ___year0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); bool L_5 = DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7(L_4, /*hidden argument*/NULL); if (L_5) { goto IL_0024; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_6 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth365_29(); G_B7_0 = L_6; goto IL_0029; } IL_0024: { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_7 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth366_30(); G_B7_0 = L_7; } IL_0029: { V_0 = G_B7_0; int32_t L_8 = ___day2; if ((((int32_t)L_8) < ((int32_t)1))) { goto IL_006c; } } { int32_t L_9 = ___day2; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_10 = V_0; int32_t L_11 = ___month1; NullCheck(L_10); int32_t L_12 = L_11; int32_t L_13 = (L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12)); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_14 = V_0; int32_t L_15 = ___month1; NullCheck(L_14); int32_t L_16 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)1)); int32_t L_17 = (L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_16)); if ((((int32_t)L_9) > ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_13, (int32_t)L_17))))) { goto IL_006c; } } { int32_t L_18 = ___year0; V_1 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_18, (int32_t)1)); int32_t L_19 = V_1; int32_t L_20 = V_1; int32_t L_21 = V_1; int32_t L_22 = V_1; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_23 = V_0; int32_t L_24 = ___month1; NullCheck(L_23); int32_t L_25 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_24, (int32_t)1)); int32_t L_26 = (L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_25)); int32_t L_27 = ___day2; return ((int64_t)il2cpp_codegen_multiply((int64_t)(((int64_t)((int64_t)((int32_t)il2cpp_codegen_subtract((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_19, (int32_t)((int32_t)365))), (int32_t)((int32_t)((int32_t)L_20/(int32_t)4)))), (int32_t)((int32_t)((int32_t)L_21/(int32_t)((int32_t)100))))), (int32_t)((int32_t)((int32_t)L_22/(int32_t)((int32_t)400))))), (int32_t)L_26)), (int32_t)L_27)), (int32_t)1))))), (int64_t)((int64_t)864000000000LL))); } IL_006c: { String_t* L_28 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6AA37D3F95B049989169366DE359545DDC19DDC5, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_29 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_29, (String_t*)NULL, L_28, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_29, DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64_RuntimeMethod_var); } } // System.Int64 System.DateTime::TimeToTicks(System.Int32,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB (int32_t ___hour0, int32_t ___minute1, int32_t ___second2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___hour0; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_1 = ___hour0; if ((((int32_t)L_1) >= ((int32_t)((int32_t)24)))) { goto IL_0024; } } { int32_t L_2 = ___minute1; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_3 = ___minute1; if ((((int32_t)L_3) >= ((int32_t)((int32_t)60)))) { goto IL_0024; } } { int32_t L_4 = ___second2; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_5 = ___second2; if ((((int32_t)L_5) >= ((int32_t)((int32_t)60)))) { goto IL_0024; } } { int32_t L_6 = ___hour0; int32_t L_7 = ___minute1; int32_t L_8 = ___second2; IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); int64_t L_9 = TimeSpan_TimeToTicks_m30D961C24084E95EA9FE0565B87FCFFE24DD3632(L_6, L_7, L_8, /*hidden argument*/NULL); return L_9; } IL_0024: { String_t* L_10 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralCA4CB5523B49D5F62897296F6FCD5ABE68B27A24, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_11 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_11, (String_t*)NULL, L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11, DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB_RuntimeMethod_var); } } // System.Int32 System.DateTime::DaysInMonth(System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90 (int32_t ___year0, int32_t ___month1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90_MetadataUsageId); s_Il2CppMethodInitialized = true; } Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* V_0 = NULL; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* G_B6_0 = NULL; { int32_t L_0 = ___month1; if ((((int32_t)L_0) < ((int32_t)1))) { goto IL_0009; } } { int32_t L_1 = ___month1; if ((((int32_t)L_1) <= ((int32_t)((int32_t)12)))) { goto IL_001e; } } IL_0009: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral38C1D791DA28CCACA40DF5E093EAB4D67B08C70D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral021710FA7866431C1DACAA6CD31EEEB47DCE64B6, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_DaysInMonth_mE979D12858E0D6CC14576D283B5AB66AA53B9F90_RuntimeMethod_var); } IL_001e: { int32_t L_4 = ___year0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); bool L_5 = DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7(L_4, /*hidden argument*/NULL); if (L_5) { goto IL_002d; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_6 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth365_29(); G_B6_0 = L_6; goto IL_0032; } IL_002d: { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_7 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth366_30(); G_B6_0 = L_7; } IL_0032: { V_0 = G_B6_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_8 = V_0; int32_t L_9 = ___month1; NullCheck(L_8); int32_t L_10 = L_9; int32_t L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_12 = V_0; int32_t L_13 = ___month1; NullCheck(L_12); int32_t L_14 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_13, (int32_t)1)); int32_t L_15 = (L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_14)); return ((int32_t)il2cpp_codegen_subtract((int32_t)L_11, (int32_t)L_15)); } } // System.Boolean System.DateTime::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0; memset((&V_0), 0, sizeof(V_0)); { RuntimeObject * L_0 = ___value0; if (!((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))) { goto IL_001f; } } { int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); RuntimeObject * L_2 = ___value0; V_0 = ((*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)UnBox(L_2, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var)))); int64_t L_3 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), /*hidden argument*/NULL); return (bool)((((int64_t)L_1) == ((int64_t)L_3))? 1 : 0); } IL_001f: { return (bool)0; } } IL2CPP_EXTERN_C bool DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_Equals_m85006DF1EA5B2B7EAB4BEFA643B5683B0BDBE4AB(_thisAdjusted, ___value0, method); } // System.Boolean System.DateTime::Equals(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_Equals_m5D0978D469FA7B13308608D7DA97E1AF6265AD42 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___value0), /*hidden argument*/NULL); return (bool)((((int64_t)L_0) == ((int64_t)L_1))? 1 : 0); } } IL2CPP_EXTERN_C bool DateTime_Equals_m5D0978D469FA7B13308608D7DA97E1AF6265AD42_AdjustorThunk (RuntimeObject * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_Equals_m5D0978D469FA7B13308608D7DA97E1AF6265AD42(_thisAdjusted, ___value0, method); } // System.DateTime System.DateTime::FromBinary(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromBinary_m5A34F3CF87443A48B220F77B685C35B8A534E973 (int64_t ___dateData0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_FromBinary_m5A34F3CF87443A48B220F77B685C35B8A534E973_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; bool V_1 = false; int64_t V_2 = 0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 V_3; memset((&V_3), 0, sizeof(V_3)); bool V_4 = false; { int64_t L_0 = ___dateData0; if (!((int64_t)((int64_t)L_0&(int64_t)((int64_t)(std::numeric_limits<int64_t>::min)())))) { goto IL_00d8; } } { int64_t L_1 = ___dateData0; V_0 = ((int64_t)((int64_t)L_1&(int64_t)((int64_t)4611686018427387903LL))); int64_t L_2 = V_0; if ((((int64_t)L_2) <= ((int64_t)((int64_t)4611685154427387904LL)))) { goto IL_0034; } } { int64_t L_3 = V_0; V_0 = ((int64_t)il2cpp_codegen_subtract((int64_t)L_3, (int64_t)((int64_t)4611686018427387904LL))); } IL_0034: { V_1 = (bool)0; int64_t L_4 = V_0; if ((((int64_t)L_4) >= ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0051; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_5 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_MinValue_31(); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_6 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_5, 2, /*hidden argument*/NULL); V_3 = L_6; int64_t L_7 = TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_3), /*hidden argument*/NULL); V_2 = L_7; goto IL_0094; } IL_0051: { int64_t L_8 = V_0; if ((((int64_t)L_8) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0073; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_9 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_MaxValue_32(); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_10 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_9, 2, /*hidden argument*/NULL); V_3 = L_10; int64_t L_11 = TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_3), /*hidden argument*/NULL); V_2 = L_11; goto IL_0094; } IL_0073: { int64_t L_12 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_13; memset((&L_13), 0, sizeof(L_13)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_13), L_12, 1, /*hidden argument*/NULL); V_4 = (bool)0; TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * L_14 = TimeZoneInfo_get_Local_mD208D43B3366D6E489CA49A7F21164373CEC24FD(/*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_15 = TimeZoneInfo_GetUtcOffsetFromUtc_mAA79026F581A893DD65B95D5660E146520B471FA(L_13, L_14, (bool*)(&V_4), (bool*)(&V_1), /*hidden argument*/NULL); V_3 = L_15; int64_t L_16 = TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_3), /*hidden argument*/NULL); V_2 = L_16; } IL_0094: { int64_t L_17 = V_0; int64_t L_18 = V_2; V_0 = ((int64_t)il2cpp_codegen_add((int64_t)L_17, (int64_t)L_18)); int64_t L_19 = V_0; if ((((int64_t)L_19) >= ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_00a9; } } { int64_t L_20 = V_0; V_0 = ((int64_t)il2cpp_codegen_add((int64_t)L_20, (int64_t)((int64_t)864000000000LL))); } IL_00a9: { int64_t L_21 = V_0; if ((((int64_t)L_21) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_00ba; } } { int64_t L_22 = V_0; if ((((int64_t)L_22) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_00cf; } } IL_00ba: { String_t* L_23 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6C5D741642268E1DBC189EC8C48B5474FAFA45E1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_24 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_24, L_23, _stringLiteral8D475FBD52CC44C4B3646CB6D42B92B682940C75, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24, DateTime_FromBinary_m5A34F3CF87443A48B220F77B685C35B8A534E973_RuntimeMethod_var); } IL_00cf: { int64_t L_25 = V_0; bool L_26 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_27; memset((&L_27), 0, sizeof(L_27)); DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84((&L_27), L_25, 2, L_26, /*hidden argument*/NULL); return L_27; } IL_00d8: { int64_t L_28 = ___dateData0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_29 = DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F(L_28, /*hidden argument*/NULL); return L_29; } } // System.DateTime System.DateTime::FromBinaryRaw(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F (int64_t ___dateData0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; { int64_t L_0 = ___dateData0; V_0 = ((int64_t)((int64_t)L_0&(int64_t)((int64_t)4611686018427387903LL))); int64_t L_1 = V_0; if ((((int64_t)L_1) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_001d; } } { int64_t L_2 = V_0; if ((((int64_t)L_2) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0032; } } IL_001d: { String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6C5D741642268E1DBC189EC8C48B5474FAFA45E1, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_4, L_3, _stringLiteral8D475FBD52CC44C4B3646CB6D42B92B682940C75, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_FromBinaryRaw_m62E01B6FBD437260699D149A18C00CA49B793A5F_RuntimeMethod_var); } IL_0032: { int64_t L_5 = ___dateData0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_6; memset((&L_6), 0, sizeof(L_6)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_6), L_5, /*hidden argument*/NULL); return L_6; } } // System.DateTime System.DateTime::FromFileTime(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromFileTime_m48DCF83C7472940505DE71F244BC072E98FA5676 (int64_t ___fileTime0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_FromFileTime_m48DCF83C7472940505DE71F244BC072E98FA5676_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0; memset((&V_0), 0, sizeof(V_0)); { int64_t L_0 = ___fileTime0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733(L_0, /*hidden argument*/NULL); V_0 = L_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_2 = DateTime_ToLocalTime_m32BCB17476069A13A2EB0AFF3B20CCAF2070B171((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), /*hidden argument*/NULL); return L_2; } } // System.DateTime System.DateTime::FromFileTimeUtc(System.Int64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733 (int64_t ___fileTime0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int64_t L_0 = ___fileTime0; if ((((int64_t)L_0) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_0011; } } { int64_t L_1 = ___fileTime0; if ((((int64_t)L_1) <= ((int64_t)((int64_t)2650467743999999999LL)))) { goto IL_0026; } } IL_0011: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD6DCAE95E610BC8D0E5B3943E79F70AD76075C8D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral6ACC4FDD7CAC404C251B9E96BD6436776D0A9EB6, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_FromFileTimeUtc_m124AEAB3C97C7E47A59FA6D33EDC52E6B00DD733_RuntimeMethod_var); } IL_0026: { int64_t L_4 = ___fileTime0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_5; memset((&L_5), 0, sizeof(L_5)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_5), ((int64_t)il2cpp_codegen_add((int64_t)L_4, (int64_t)((int64_t)504911232000000000LL))), 1, /*hidden argument*/NULL); return L_5; } } // System.Void System.DateTime::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6_RuntimeMethod_var); } IL_000e: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_2 = ___info0; int64_t L_3 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); NullCheck(L_2); SerializationInfo_AddValue_mCCC2918D05840247B2A72A834940BD36AD7F5DE4(L_2, _stringLiteral5F82205BEDF93F9FC5534E27F6D5798CA8E49C9A, L_3, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_4 = ___info0; uint64_t L_5 = __this->get_dateData_44(); NullCheck(L_4); SerializationInfo_AddValue_m9861690C28AB414534D1A7F599E050DBA7A99303(L_4, _stringLiteral8D475FBD52CC44C4B3646CB6D42B92B682940C75, L_5, /*hidden argument*/NULL); return; } } IL2CPP_EXTERN_C void DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6_AdjustorThunk (RuntimeObject * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); DateTime_System_Runtime_Serialization_ISerializable_GetObjectData_m6DDB58B228D00F832D1670A52C6217973595CFA6(_thisAdjusted, ___info0, ___context1, method); } // System.DateTime System.DateTime::SpecifyKind(System.DateTime,System.DateTimeKind) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_SpecifyKind_m2E9B2B28CB3255EA842EBCBA42AF0565144D2316 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, int32_t ___kind1, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___value0), /*hidden argument*/NULL); int32_t L_1 = ___kind1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_2; memset((&L_2), 0, sizeof(L_2)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_2), L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Int64 System.DateTime::ToBinaryRaw() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_ToBinaryRaw_m337980211329E7231056A835F8EB1179A55E927E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { uint64_t L_0 = __this->get_dateData_44(); return L_0; } } IL2CPP_EXTERN_C int64_t DateTime_ToBinaryRaw_m337980211329E7231056A835F8EB1179A55E927E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToBinaryRaw_m337980211329E7231056A835F8EB1179A55E927E_inline(_thisAdjusted, method); } // System.DateTime System.DateTime::get_Date() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_Date_m9466964BC55564ED7EEC022AB9E50D875707B774 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); int64_t L_1 = L_0; uint64_t L_2 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_3; memset((&L_3), 0, sizeof(L_3)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_3), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)L_1, (int64_t)((int64_t)((int64_t)L_1%(int64_t)((int64_t)864000000000LL)))))|(int64_t)L_2)), /*hidden argument*/NULL); return L_3; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_Date_m9466964BC55564ED7EEC022AB9E50D875707B774_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Date_m9466964BC55564ED7EEC022AB9E50D875707B774(_thisAdjusted, method); } // System.Int32 System.DateTime::GetDatePart(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t ___part0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; int32_t V_4 = 0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* V_5 = NULL; int32_t V_6 = 0; int32_t G_B13_0 = 0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* G_B16_0 = NULL; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_0 = (((int32_t)((int32_t)((int64_t)((int64_t)L_0/(int64_t)((int64_t)864000000000LL)))))); int32_t L_1 = V_0; V_1 = ((int32_t)((int32_t)L_1/(int32_t)((int32_t)146097))); int32_t L_2 = V_0; int32_t L_3 = V_1; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_2, (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_3, (int32_t)((int32_t)146097))))); int32_t L_4 = V_0; V_2 = ((int32_t)((int32_t)L_4/(int32_t)((int32_t)36524))); int32_t L_5 = V_2; if ((!(((uint32_t)L_5) == ((uint32_t)4)))) { goto IL_0032; } } { V_2 = 3; } IL_0032: { int32_t L_6 = V_0; int32_t L_7 = V_2; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_6, (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_7, (int32_t)((int32_t)36524))))); int32_t L_8 = V_0; V_3 = ((int32_t)((int32_t)L_8/(int32_t)((int32_t)1461))); int32_t L_9 = V_0; int32_t L_10 = V_3; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_10, (int32_t)((int32_t)1461))))); int32_t L_11 = V_0; V_4 = ((int32_t)((int32_t)L_11/(int32_t)((int32_t)365))); int32_t L_12 = V_4; if ((!(((uint32_t)L_12) == ((uint32_t)4)))) { goto IL_005f; } } { V_4 = 3; } IL_005f: { int32_t L_13 = ___part0; if (L_13) { goto IL_0078; } } { int32_t L_14 = V_1; int32_t L_15 = V_2; int32_t L_16 = V_3; int32_t L_17 = V_4; return ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_14, (int32_t)((int32_t)400))), (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_15, (int32_t)((int32_t)100))))), (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_16, (int32_t)4)))), (int32_t)L_17)), (int32_t)1)); } IL_0078: { int32_t L_18 = V_0; int32_t L_19 = V_4; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_18, (int32_t)((int32_t)il2cpp_codegen_multiply((int32_t)L_19, (int32_t)((int32_t)365))))); int32_t L_20 = ___part0; if ((!(((uint32_t)L_20) == ((uint32_t)1)))) { goto IL_008b; } } { int32_t L_21 = V_0; return ((int32_t)il2cpp_codegen_add((int32_t)L_21, (int32_t)1)); } IL_008b: { int32_t L_22 = V_4; if ((!(((uint32_t)L_22) == ((uint32_t)3)))) { goto IL_009e; } } { int32_t L_23 = V_3; if ((!(((uint32_t)L_23) == ((uint32_t)((int32_t)24))))) { goto IL_009b; } } { int32_t L_24 = V_2; G_B13_0 = ((((int32_t)L_24) == ((int32_t)3))? 1 : 0); goto IL_009f; } IL_009b: { G_B13_0 = 1; goto IL_009f; } IL_009e: { G_B13_0 = 0; } IL_009f: { if (G_B13_0) { goto IL_00a8; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_25 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth365_29(); G_B16_0 = L_25; goto IL_00ad; } IL_00a8: { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_26 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth366_30(); G_B16_0 = L_26; } IL_00ad: { V_5 = G_B16_0; int32_t L_27 = V_0; V_6 = ((int32_t)((int32_t)L_27>>(int32_t)6)); goto IL_00bc; } IL_00b6: { int32_t L_28 = V_6; V_6 = ((int32_t)il2cpp_codegen_add((int32_t)L_28, (int32_t)1)); } IL_00bc: { int32_t L_29 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_30 = V_5; int32_t L_31 = V_6; NullCheck(L_30); int32_t L_32 = L_31; int32_t L_33 = (L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_32)); if ((((int32_t)L_29) >= ((int32_t)L_33))) { goto IL_00b6; } } { int32_t L_34 = ___part0; if ((!(((uint32_t)L_34) == ((uint32_t)2)))) { goto IL_00cb; } } { int32_t L_35 = V_6; return L_35; } IL_00cb: { int32_t L_36 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_37 = V_5; int32_t L_38 = V_6; NullCheck(L_37); int32_t L_39 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_38, (int32_t)1)); int32_t L_40 = (L_37)->GetAt(static_cast<il2cpp_array_size_t>(L_39)); return ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_36, (int32_t)L_40)), (int32_t)1)); } } IL2CPP_EXTERN_C int32_t DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41_AdjustorThunk (RuntimeObject * __this, int32_t ___part0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41(_thisAdjusted, ___part0, method); } // System.Int32 System.DateTime::get_Day() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Day_m3C888FF1DA5019583A4326FAB232F81D32B1478D (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int32_t L_0 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 3, /*hidden argument*/NULL); return L_0; } } IL2CPP_EXTERN_C int32_t DateTime_get_Day_m3C888FF1DA5019583A4326FAB232F81D32B1478D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Day_m3C888FF1DA5019583A4326FAB232F81D32B1478D(_thisAdjusted, method); } // System.DayOfWeek System.DateTime::get_DayOfWeek() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_DayOfWeek_m556E45050ECDB336B3559BC395081B0C5CBE4891 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); return (int32_t)((((int32_t)((int32_t)((int64_t)((int64_t)((int64_t)il2cpp_codegen_add((int64_t)((int64_t)((int64_t)L_0/(int64_t)((int64_t)864000000000LL))), (int64_t)(((int64_t)((int64_t)1)))))%(int64_t)(((int64_t)((int64_t)7))))))))); } } IL2CPP_EXTERN_C int32_t DateTime_get_DayOfWeek_m556E45050ECDB336B3559BC395081B0C5CBE4891_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_DayOfWeek_m556E45050ECDB336B3559BC395081B0C5CBE4891(_thisAdjusted, method); } // System.Int32 System.DateTime::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetHashCode_mCA2FDAC81B0779FA2E478E6C6D92D019CD4B50C0 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { int64_t V_0 = 0; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_0 = L_0; int64_t L_1 = V_0; int64_t L_2 = V_0; return ((int32_t)((int32_t)(((int32_t)((int32_t)L_1)))^(int32_t)(((int32_t)((int32_t)((int64_t)((int64_t)L_2>>(int32_t)((int32_t)32)))))))); } } IL2CPP_EXTERN_C int32_t DateTime_GetHashCode_mCA2FDAC81B0779FA2E478E6C6D92D019CD4B50C0_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_GetHashCode_mCA2FDAC81B0779FA2E478E6C6D92D019CD4B50C0(_thisAdjusted, method); } // System.Int32 System.DateTime::get_Hour() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); return (((int32_t)((int32_t)((int64_t)((int64_t)((int64_t)((int64_t)L_0/(int64_t)((int64_t)36000000000LL)))%(int64_t)(((int64_t)((int64_t)((int32_t)24))))))))); } } IL2CPP_EXTERN_C int32_t DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3(_thisAdjusted, method); } // System.DateTimeKind System.DateTime::get_Kind() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { uint64_t V_0 = 0; { uint64_t L_0 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_0 = L_0; uint64_t L_1 = V_0; if (!L_1) { goto IL_0018; } } { uint64_t L_2 = V_0; if ((((int64_t)L_2) == ((int64_t)((int64_t)4611686018427387904LL)))) { goto IL_001a; } } { goto IL_001c; } IL_0018: { return (int32_t)(0); } IL_001a: { return (int32_t)(1); } IL_001c: { return (int32_t)(2); } } IL2CPP_EXTERN_C int32_t DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE(_thisAdjusted, method); } // System.Int32 System.DateTime::get_Minute() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Minute_m688A6B7CF6D23E040CBCA15C8CFFBE5EE5C62A77 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); return (((int32_t)((int32_t)((int64_t)((int64_t)((int64_t)((int64_t)L_0/(int64_t)(((int64_t)((int64_t)((int32_t)600000000))))))%(int64_t)(((int64_t)((int64_t)((int32_t)60))))))))); } } IL2CPP_EXTERN_C int32_t DateTime_get_Minute_m688A6B7CF6D23E040CBCA15C8CFFBE5EE5C62A77_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Minute_m688A6B7CF6D23E040CBCA15C8CFFBE5EE5C62A77(_thisAdjusted, method); } // System.Int32 System.DateTime::get_Month() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Month_m9E31D84567E6D221F0E686EC6894A7AD07A5E43C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int32_t L_0 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 2, /*hidden argument*/NULL); return L_0; } } IL2CPP_EXTERN_C int32_t DateTime_get_Month_m9E31D84567E6D221F0E686EC6894A7AD07A5E43C_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Month_m9E31D84567E6D221F0E686EC6894A7AD07A5E43C(_thisAdjusted, method); } // System.DateTime System.DateTime::get_Now() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_Now_mB464D30F15C97069F92C1F910DCDDC3DFCC7F7D2 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_get_Now_mB464D30F15C97069F92C1F910DCDDC3DFCC7F7D2_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0; memset((&V_0), 0, sizeof(V_0)); bool V_1 = false; int64_t V_2 = 0; int64_t V_3 = 0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 V_4; memset((&V_4), 0, sizeof(V_4)); { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = DateTime_get_UtcNow_m171F52F4B3A213E4BAD7B78DC8E794A269DE38A1(/*hidden argument*/NULL); V_0 = L_0; V_1 = (bool)0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = V_0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_2 = TimeZoneInfo_GetDateTimeNowUtcOffsetFromUtc_m57199B9E169E531B6653648D8520F42F4DC70B7A(L_1, (bool*)(&V_1), /*hidden argument*/NULL); V_4 = L_2; int64_t L_3 = TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_4), /*hidden argument*/NULL); V_2 = L_3; int64_t L_4 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), /*hidden argument*/NULL); int64_t L_5 = V_2; V_3 = ((int64_t)il2cpp_codegen_add((int64_t)L_4, (int64_t)L_5)); int64_t L_6 = V_3; if ((((int64_t)L_6) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_0040; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_7; memset((&L_7), 0, sizeof(L_7)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_7), ((int64_t)3155378975999999999LL), 2, /*hidden argument*/NULL); return L_7; } IL_0040: { int64_t L_8 = V_3; if ((((int64_t)L_8) >= ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_004e; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_9; memset((&L_9), 0, sizeof(L_9)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_9), (((int64_t)((int64_t)0))), 2, /*hidden argument*/NULL); return L_9; } IL_004e: { int64_t L_10 = V_3; bool L_11 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_12; memset((&L_12), 0, sizeof(L_12)); DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84((&L_12), L_10, 2, L_11, /*hidden argument*/NULL); return L_12; } } // System.DateTime System.DateTime::get_UtcNow() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_get_UtcNow_m171F52F4B3A213E4BAD7B78DC8E794A269DE38A1 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_get_UtcNow_m171F52F4B3A213E4BAD7B78DC8E794A269DE38A1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_0 = DateTime_GetSystemTimeAsFileTime_mE9A326A4F6301E7E932903FC5DA4D1A31060D2C7(/*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1; memset((&L_1), 0, sizeof(L_1)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_1), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_add((int64_t)L_0, (int64_t)((int64_t)504911232000000000LL)))|(int64_t)((int64_t)4611686018427387904LL))), /*hidden argument*/NULL); return L_1; } } // System.Int64 System.DateTime::GetSystemTimeAsFileTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_GetSystemTimeAsFileTime_mE9A326A4F6301E7E932903FC5DA4D1A31060D2C7 (const RuntimeMethod* method) { typedef int64_t (*DateTime_GetSystemTimeAsFileTime_mE9A326A4F6301E7E932903FC5DA4D1A31060D2C7_ftn) (); using namespace il2cpp::icalls; return ((DateTime_GetSystemTimeAsFileTime_mE9A326A4F6301E7E932903FC5DA4D1A31060D2C7_ftn)mscorlib::System::DateTime::GetSystemTimeAsFileTime) (); } // System.Int32 System.DateTime::get_Second() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Second_m0EC5A6215E5FF43D49702279430EAD1B66302951 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); return (((int32_t)((int32_t)((int64_t)((int64_t)((int64_t)((int64_t)L_0/(int64_t)(((int64_t)((int64_t)((int32_t)10000000))))))%(int64_t)(((int64_t)((int64_t)((int32_t)60))))))))); } } IL2CPP_EXTERN_C int32_t DateTime_get_Second_m0EC5A6215E5FF43D49702279430EAD1B66302951_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Second_m0EC5A6215E5FF43D49702279430EAD1B66302951(_thisAdjusted, method); } // System.Int64 System.DateTime::get_Ticks() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); return L_0; } } IL2CPP_EXTERN_C int64_t DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60(_thisAdjusted, method); } // System.TimeSpan System.DateTime::get_TimeOfDay() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_get_TimeOfDay_mAC191C0FF7DF8D1370DFFC1C47DE8DC5FA048543 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1; memset((&L_1), 0, sizeof(L_1)); TimeSpan__ctor_mEB013EB288370617E8D465D75BE383C4058DB5A5_inline((&L_1), ((int64_t)((int64_t)L_0%(int64_t)((int64_t)864000000000LL))), /*hidden argument*/NULL); return L_1; } } IL2CPP_EXTERN_C TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_get_TimeOfDay_mAC191C0FF7DF8D1370DFFC1C47DE8DC5FA048543_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_TimeOfDay_mAC191C0FF7DF8D1370DFFC1C47DE8DC5FA048543(_thisAdjusted, method); } // System.Int32 System.DateTime::get_Year() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_get_Year_m019BED6042282D03E51CE82F590D2A9FE5EA859E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { int32_t L_0 = DateTime_GetDatePart_m228B8E3A744BBCF0A8BB5F8FA470532FF09CCC41((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, 0, /*hidden argument*/NULL); return L_0; } } IL2CPP_EXTERN_C int32_t DateTime_get_Year_m019BED6042282D03E51CE82F590D2A9FE5EA859E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_get_Year_m019BED6042282D03E51CE82F590D2A9FE5EA859E(_thisAdjusted, method); } // System.Boolean System.DateTime::IsLeapYear(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7 (int32_t ___year0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___year0; if ((((int32_t)L_0) < ((int32_t)1))) { goto IL_000c; } } { int32_t L_1 = ___year0; if ((((int32_t)L_1) <= ((int32_t)((int32_t)9999)))) { goto IL_0021; } } IL_000c: { String_t* L_2 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral20129DCACE911064DD71D775424F848ED70E9328, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_3 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_3, _stringLiteral4FF0B1538469338A0073E2CDAAB6A517801B6AB4, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7_RuntimeMethod_var); } IL_0021: { int32_t L_4 = ___year0; if (((int32_t)((int32_t)L_4%(int32_t)4))) { goto IL_0039; } } { int32_t L_5 = ___year0; if (((int32_t)((int32_t)L_5%(int32_t)((int32_t)100)))) { goto IL_0037; } } { int32_t L_6 = ___year0; return (bool)((((int32_t)((int32_t)((int32_t)L_6%(int32_t)((int32_t)400)))) == ((int32_t)0))? 1 : 0); } IL_0037: { return (bool)1; } IL_0039: { return (bool)0; } } // System.DateTime System.DateTime::Parse(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Parse_mFB11F5C0061CEAD9A2F51E3814DEBE0475F2BA37 (String_t* ___s0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_Parse_mFB11F5C0061CEAD9A2F51E3814DEBE0475F2BA37_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___s0; RuntimeObject* L_1 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_2 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_3 = DateTimeParse_Parse_m452E56D26BB4E9A3450434A55F0C7046124BC62A(L_0, L_2, 0, /*hidden argument*/NULL); return L_3; } } // System.DateTime System.DateTime::Parse(System.String,System.IFormatProvider,System.Globalization.DateTimeStyles) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_Parse_m77FF2BFB1CE8597D3BAAB967AF3534CAF60B7B4A (String_t* ___s0, RuntimeObject* ___provider1, int32_t ___styles2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_Parse_m77FF2BFB1CE8597D3BAAB967AF3534CAF60B7B4A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___styles2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_ValidateStyles_m681E339557B4727B92138AAEC70ACC69FF31CA17(L_0, _stringLiteralBF62280F159B1468FFF0C96540F3989D41279669, /*hidden argument*/NULL); String_t* L_1 = ___s0; RuntimeObject* L_2 = ___provider1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_3 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_2, /*hidden argument*/NULL); int32_t L_4 = ___styles2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_5 = DateTimeParse_Parse_m452E56D26BB4E9A3450434A55F0C7046124BC62A(L_1, L_3, L_4, /*hidden argument*/NULL); return L_5; } } // System.DateTime System.DateTime::ParseExact(System.String,System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ParseExact_m4F38666EAE122CB8C743160778696BA78B659C56 (String_t* ___s0, String_t* ___format1, RuntimeObject* ___provider2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ParseExact_m4F38666EAE122CB8C743160778696BA78B659C56_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___s0; String_t* L_1 = ___format1; RuntimeObject* L_2 = ___provider2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_3 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_2, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = DateTimeParse_ParseExact_m53595CD96FF504A940A435D43F084A8BE08CBDCD(L_0, L_1, L_3, 0, /*hidden argument*/NULL); return L_4; } } // System.DateTime System.DateTime::ParseExact(System.String,System.String,System.IFormatProvider,System.Globalization.DateTimeStyles) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ParseExact_mF45E615EBCC82CA967D4BC7838EE570508D0F97F (String_t* ___s0, String_t* ___format1, RuntimeObject* ___provider2, int32_t ___style3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ParseExact_mF45E615EBCC82CA967D4BC7838EE570508D0F97F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___style3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_ValidateStyles_m681E339557B4727B92138AAEC70ACC69FF31CA17(L_0, _stringLiteral26EC8D00FB6B55466B3A115F1D559422A7FA7AAC, /*hidden argument*/NULL); String_t* L_1 = ___s0; String_t* L_2 = ___format1; RuntimeObject* L_3 = ___provider2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_4 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_3, /*hidden argument*/NULL); int32_t L_5 = ___style3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_6 = DateTimeParse_ParseExact_m53595CD96FF504A940A435D43F084A8BE08CBDCD(L_1, L_2, L_4, L_5, /*hidden argument*/NULL); return L_6; } } // System.TimeSpan System.DateTime::Subtract(System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_Subtract_m12814A53110B4E3887A84A911C5F9C1402D98842 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___value0), /*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_2; memset((&L_2), 0, sizeof(L_2)); TimeSpan__ctor_mEB013EB288370617E8D465D75BE383C4058DB5A5_inline((&L_2), ((int64_t)il2cpp_codegen_subtract((int64_t)L_0, (int64_t)L_1)), /*hidden argument*/NULL); return L_2; } } IL2CPP_EXTERN_C TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_Subtract_m12814A53110B4E3887A84A911C5F9C1402D98842_AdjustorThunk (RuntimeObject * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___value0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_Subtract_m12814A53110B4E3887A84A911C5F9C1402D98842(_thisAdjusted, ___value0, method); } // System.Int64 System.DateTime::ToFileTimeUtc() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0; memset((&V_0), 0, sizeof(V_0)); int64_t G_B3_0 = 0; int64_t G_B5_0 = 0; int64_t G_B4_0 = 0; { uint64_t L_0 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); if (((int64_t)((int64_t)L_0&(int64_t)((int64_t)(std::numeric_limits<int64_t>::min)())))) { goto IL_001a; } } { int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); G_B3_0 = L_1; goto IL_0028; } IL_001a: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_2 = DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); V_0 = L_2; int64_t L_3 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), /*hidden argument*/NULL); G_B3_0 = L_3; } IL_0028: { int64_t L_4 = ((int64_t)il2cpp_codegen_subtract((int64_t)G_B3_0, (int64_t)((int64_t)504911232000000000LL))); G_B4_0 = L_4; if ((((int64_t)L_4) >= ((int64_t)(((int64_t)((int64_t)0)))))) { G_B5_0 = L_4; goto IL_0048; } } { String_t* L_5 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD6DCAE95E610BC8D0E5B3943E79F70AD76075C8D, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_6, (String_t*)NULL, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F_RuntimeMethod_var); } IL_0048: { return G_B5_0; } } IL2CPP_EXTERN_C int64_t DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToFileTimeUtc_mD5EFD0BDB9645EF7B13E176EC4565FC52401751F(_thisAdjusted, method); } // System.DateTime System.DateTime::ToLocalTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m32BCB17476069A13A2EB0AFF3B20CCAF2070B171 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, (bool)0, /*hidden argument*/NULL); return L_0; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m32BCB17476069A13A2EB0AFF3B20CCAF2070B171_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToLocalTime_m32BCB17476069A13A2EB0AFF3B20CCAF2070B171(_thisAdjusted, method); } // System.DateTime System.DateTime::ToLocalTime(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, bool ___throwOnOverflow0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; bool V_1 = false; int64_t V_2 = 0; int64_t V_3 = 0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 V_4; memset((&V_4), 0, sizeof(V_4)); { int32_t L_0 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); if ((!(((uint32_t)L_0) == ((uint32_t)2)))) { goto IL_0010; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); return L_1; } IL_0010: { V_0 = (bool)0; V_1 = (bool)0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_2 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); TimeZoneInfo_t46EF9BAEAA787846F1A1EC419BE75CFEFAFF6777 * L_3 = TimeZoneInfo_get_Local_mD208D43B3366D6E489CA49A7F21164373CEC24FD(/*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_4 = TimeZoneInfo_GetUtcOffsetFromUtc_mAA79026F581A893DD65B95D5660E146520B471FA(L_2, L_3, (bool*)(&V_0), (bool*)(&V_1), /*hidden argument*/NULL); V_4 = L_4; int64_t L_5 = TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_4), /*hidden argument*/NULL); V_2 = L_5; int64_t L_6 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this, /*hidden argument*/NULL); int64_t L_7 = V_2; V_3 = ((int64_t)il2cpp_codegen_add((int64_t)L_6, (int64_t)L_7)); int64_t L_8 = V_3; if ((((int64_t)L_8) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_006a; } } { bool L_9 = ___throwOnOverflow0; if (!L_9) { goto IL_005a; } } { String_t* L_10 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFB499AED03084DC7A8ECBDE5DADA639999536566, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_11 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_11, L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11, DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_RuntimeMethod_var); } IL_005a: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_12; memset((&L_12), 0, sizeof(L_12)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_12), ((int64_t)3155378975999999999LL), 2, /*hidden argument*/NULL); return L_12; } IL_006a: { int64_t L_13 = V_3; if ((((int64_t)L_13) >= ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_008b; } } { bool L_14 = ___throwOnOverflow0; if (!L_14) { goto IL_0082; } } { String_t* L_15 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralFB499AED03084DC7A8ECBDE5DADA639999536566, /*hidden argument*/NULL); ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_16 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_16, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16, DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_RuntimeMethod_var); } IL_0082: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_17; memset((&L_17), 0, sizeof(L_17)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_17), (((int64_t)((int64_t)0))), 2, /*hidden argument*/NULL); return L_17; } IL_008b: { int64_t L_18 = V_3; bool L_19 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_20; memset((&L_20), 0, sizeof(L_20)); DateTime__ctor_m8946C6F0EFB7933840C449A2C859B08101393A84((&L_20), L_18, 2, L_19, /*hidden argument*/NULL); return L_20; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967_AdjustorThunk (RuntimeObject * __this, bool ___throwOnOverflow0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToLocalTime_m3BD7AB1B750D4D0B67D327912596BD043020D967(_thisAdjusted, ___throwOnOverflow0, method); } // System.String System.DateTime::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_1 = DateTimeFormatInfo_get_CurrentInfo_m74E97DE51E5F8F803557FCDF11F041F200AB9C3F(/*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_2 = DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A(L_0, (String_t*)NULL, L_1, /*hidden argument*/NULL); return L_2; } } IL2CPP_EXTERN_C String_t* DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToString_mBB245CB189C10659D35E8E273FB03E34EA1A7122(_thisAdjusted, method); } // System.String System.DateTime::ToString(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); RuntimeObject* L_1 = ___provider0; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_2 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_3 = DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A(L_0, (String_t*)NULL, L_2, /*hidden argument*/NULL); return L_3; } } IL2CPP_EXTERN_C String_t* DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToString_m30D2730D4AB64F21D73E2037237150FC5B00F0C8(_thisAdjusted, ___provider0, method); } // System.String System.DateTime::ToString(System.String,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, String_t* ___format0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); String_t* L_1 = ___format0; RuntimeObject* L_2 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_3 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_2, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_4 = DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A(L_0, L_1, L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C_AdjustorThunk (RuntimeObject * __this, String_t* ___format0, RuntimeObject* ___provider1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToString_m9943D2AB36F33BA0A4CF44DAE32D5944E2561B1C(_thisAdjusted, ___format0, ___provider1, method); } // System.DateTime System.DateTime::ToUniversalTime() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = TimeZoneInfo_ConvertTimeToUtc_m296EB8284D179E8F42849A9F02306B55CA009952(L_0, 2, /*hidden argument*/NULL); return L_1; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1(_thisAdjusted, method); } // System.Boolean System.DateTime::TryParse(System.String,System.IFormatProvider,System.Globalization.DateTimeStyles,System.DateTime&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_TryParse_m4C5B905D8A9883947A9A45009C1A8184472E7D7B (String_t* ___s0, RuntimeObject* ___provider1, int32_t ___styles2, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___result3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_TryParse_m4C5B905D8A9883947A9A45009C1A8184472E7D7B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___styles2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_ValidateStyles_m681E339557B4727B92138AAEC70ACC69FF31CA17(L_0, _stringLiteralBF62280F159B1468FFF0C96540F3989D41279669, /*hidden argument*/NULL); String_t* L_1 = ___s0; RuntimeObject* L_2 = ___provider1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_3 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_2, /*hidden argument*/NULL); int32_t L_4 = ___styles2; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_5 = ___result3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); bool L_6 = DateTimeParse_TryParse_m5ED3A5E9A333E54F80D4B09D3C8E4A722FB332B1(L_1, L_3, L_4, (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_5, /*hidden argument*/NULL); return L_6; } } // System.Boolean System.DateTime::TryParseExact(System.String,System.String,System.IFormatProvider,System.Globalization.DateTimeStyles,System.DateTime&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_TryParseExact_mF90DADD1A931E9A7980AEA6175429E4B3C35B8E1 (String_t* ___s0, String_t* ___format1, RuntimeObject* ___provider2, int32_t ___style3, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___result4, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_TryParseExact_mF90DADD1A931E9A7980AEA6175429E4B3C35B8E1_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = ___style3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_ValidateStyles_m681E339557B4727B92138AAEC70ACC69FF31CA17(L_0, _stringLiteral26EC8D00FB6B55466B3A115F1D559422A7FA7AAC, /*hidden argument*/NULL); String_t* L_1 = ___s0; String_t* L_2 = ___format1; RuntimeObject* L_3 = ___provider2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_4 = DateTimeFormatInfo_GetInstance_m83D1F4FFA0E6FD7F223040DAE0EAD02993FBE2DD(L_3, /*hidden argument*/NULL); int32_t L_5 = ___style3; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_6 = ___result4; IL2CPP_RUNTIME_CLASS_INIT(DateTimeParse_t657E38D9FF27E5FD6A33E23887031A86248D97D4_il2cpp_TypeInfo_var); bool L_7 = DateTimeParse_TryParseExact_mD17BAB2FD59C1A20E92953696FA1E7E2FF54D38F(L_1, L_2, L_4, L_5, (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_6, /*hidden argument*/NULL); return L_7; } } // System.DateTime System.DateTime::op_Addition(System.DateTime,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_op_Addition_m6CE7A79B6E219E67A75AB17545D1873529262282 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_op_Addition_m6CE7A79B6E219E67A75AB17545D1873529262282_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; int64_t V_1 = 0; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d0), /*hidden argument*/NULL); V_0 = L_0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1 = ___t1; int64_t L_2 = L_1.get__ticks_3(); V_1 = L_2; int64_t L_3 = V_1; int64_t L_4 = V_0; if ((((int64_t)L_3) > ((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)((int64_t)3155378975999999999LL), (int64_t)L_4))))) { goto IL_0024; } } { int64_t L_5 = V_1; int64_t L_6 = V_0; if ((((int64_t)L_5) >= ((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)(((int64_t)((int64_t)0))), (int64_t)L_6))))) { goto IL_0039; } } IL_0024: { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6CD6471277F304FD7D1ADCD50886324343DBE87F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteral8EFD86FB78A56A5145ED7739DCB00C78581C5375, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, DateTime_op_Addition_m6CE7A79B6E219E67A75AB17545D1873529262282_RuntimeMethod_var); } IL_0039: { int64_t L_9 = V_0; int64_t L_10 = V_1; uint64_t L_11 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d0), /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_12; memset((&L_12), 0, sizeof(L_12)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_12), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_add((int64_t)L_9, (int64_t)L_10))|(int64_t)L_11)), /*hidden argument*/NULL); return L_12; } } // System.DateTime System.DateTime::op_Subtraction(System.DateTime,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___t1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B_MetadataUsageId); s_Il2CppMethodInitialized = true; } int64_t V_0 = 0; int64_t V_1 = 0; { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d0), /*hidden argument*/NULL); V_0 = L_0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1 = ___t1; int64_t L_2 = L_1.get__ticks_3(); V_1 = L_2; int64_t L_3 = V_0; int64_t L_4 = V_1; if ((((int64_t)L_3) < ((int64_t)L_4))) { goto IL_0021; } } { int64_t L_5 = V_0; int64_t L_6 = V_1; if ((((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)L_5, (int64_t)((int64_t)3155378975999999999LL)))) <= ((int64_t)L_6))) { goto IL_0036; } } IL_0021: { String_t* L_7 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteral6CD6471277F304FD7D1ADCD50886324343DBE87F, /*hidden argument*/NULL); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_8 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_8, _stringLiteral8EFD86FB78A56A5145ED7739DCB00C78581C5375, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8, DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B_RuntimeMethod_var); } IL_0036: { int64_t L_9 = V_0; int64_t L_10 = V_1; uint64_t L_11 = DateTime_get_InternalKind_mBEFC1CE38FE8832B8BDF7784C3ACB4BDF25D4E42((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d0), /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_12; memset((&L_12), 0, sizeof(L_12)); DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline((&L_12), ((int64_t)((int64_t)((int64_t)il2cpp_codegen_subtract((int64_t)L_9, (int64_t)L_10))|(int64_t)L_11)), /*hidden argument*/NULL); return L_12; } } // System.TimeSpan System.DateTime::op_Subtraction(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 DateTime_op_Subtraction_m8005DCC8F0F183AC1335F87A82FDF92926CC5021 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d21), /*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_2; memset((&L_2), 0, sizeof(L_2)); TimeSpan__ctor_mEB013EB288370617E8D465D75BE383C4058DB5A5_inline((&L_2), ((int64_t)il2cpp_codegen_subtract((int64_t)L_0, (int64_t)L_1)), /*hidden argument*/NULL); return L_2; } } // System.Boolean System.DateTime::op_Equality(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_Equality_m5715465D90806F5305BBA5F690377819C55AF084 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d21), /*hidden argument*/NULL); return (bool)((((int64_t)L_0) == ((int64_t)L_1))? 1 : 0); } } // System.Boolean System.DateTime::op_Inequality(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_Inequality_m3CE79ABD4AA011CAA6E6EDE6D1028AEB56BFF5A1 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___d21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___d21), /*hidden argument*/NULL); return (bool)((((int32_t)((((int64_t)L_0) == ((int64_t)L_1))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.DateTime::op_LessThan(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_LessThan_m75DE4F8CC5F5EE392829A9B37C5C98B7FC97061A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t21), /*hidden argument*/NULL); return (bool)((((int64_t)L_0) < ((int64_t)L_1))? 1 : 0); } } // System.Boolean System.DateTime::op_LessThanOrEqual(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_LessThanOrEqual_m7131235B927010BD9DB3C93FEB51640286D1107B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t21), /*hidden argument*/NULL); return (bool)((((int32_t)((((int64_t)L_0) > ((int64_t)L_1))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.DateTime::op_GreaterThan(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_GreaterThan_mC9384F126E5D8A3AAAB0BDFC44D1D7319367C89E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t21), /*hidden argument*/NULL); return (bool)((((int64_t)L_0) > ((int64_t)L_1))? 1 : 0); } } // System.Boolean System.DateTime::op_GreaterThanOrEqual(System.DateTime,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_op_GreaterThanOrEqual_mEDD57FC8B24FAF4D6AA94CFE6AE190CF359B66B4 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t10, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___t21, const RuntimeMethod* method) { { int64_t L_0 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t10), /*hidden argument*/NULL); int64_t L_1 = DateTime_get_InternalTicks_mB15814A4A13CB1562769F6EEA1547D5DE6DB0469((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___t21), /*hidden argument*/NULL); return (bool)((((int32_t)((((int64_t)L_0) < ((int64_t)L_1))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.TypeCode System.DateTime::GetTypeCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_GetTypeCode_m81C81123AC262794A28C3AA7F717D84A620290DB (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { return (int32_t)(((int32_t)16)); } } IL2CPP_EXTERN_C int32_t DateTime_GetTypeCode_m81C81123AC262794A28C3AA7F717D84A620290DB_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_GetTypeCode_m81C81123AC262794A28C3AA7F717D84A620290DB(_thisAdjusted, method); } // System.Boolean System.DateTime::System.IConvertible.ToBoolean(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteralB76FF4906F33C2DD97DDD929B9662BA8CAC6174C); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteralB76FF4906F33C2DD97DDD929B9662BA8CAC6174C); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43_RuntimeMethod_var); } } IL2CPP_EXTERN_C bool DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToBoolean_mF3E8C8165EF5EFB4FAC81A5FC42C6D43CBBE4A43(_thisAdjusted, ___provider0, method); } // System.Char System.DateTime::System.IConvertible.ToChar(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Il2CppChar DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral0F9BA953E35135A3F8EC268817CC92F2557202A9); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral0F9BA953E35135A3F8EC268817CC92F2557202A9); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859_RuntimeMethod_var); } } IL2CPP_EXTERN_C Il2CppChar DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToChar_mB13617F47244C7D6244E2C2428446C400212F859(_thisAdjusted, ___provider0, method); } // System.SByte System.DateTime::System.IConvertible.ToSByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int8_t DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral9B30C1BF65712BDA061818365704D06F3871C202); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral9B30C1BF65712BDA061818365704D06F3871C202); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078_RuntimeMethod_var); } } IL2CPP_EXTERN_C int8_t DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToSByte_m0577A0A1C226A26F0C92B65A7A3642E58C718078(_thisAdjusted, ___provider0, method); } // System.Byte System.DateTime::System.IConvertible.ToByte(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral7803EE252527503B67D1EEB0DEB252622746CEBD); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral7803EE252527503B67D1EEB0DEB252622746CEBD); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F_RuntimeMethod_var); } } IL2CPP_EXTERN_C uint8_t DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToByte_m5E09EBD1927AD26BC9589F68260366A3B926D01F(_thisAdjusted, ___provider0, method); } // System.Int16 System.DateTime::System.IConvertible.ToInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int16_t DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral7982E8C08D84551A97DDE8C3CC98E03FC2D6082C); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral7982E8C08D84551A97DDE8C3CC98E03FC2D6082C); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E_RuntimeMethod_var); } } IL2CPP_EXTERN_C int16_t DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToInt16_m93FA9B75E4EEAD2756A271E0E3C6FB041A98C75E(_thisAdjusted, ___provider0, method); } // System.UInt16 System.DateTime::System.IConvertible.ToUInt16(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint16_t DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral70B4BB2684C3F8969E2FE9E14B470906FD4CF3C6); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral70B4BB2684C3F8969E2FE9E14B470906FD4CF3C6); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D_RuntimeMethod_var); } } IL2CPP_EXTERN_C uint16_t DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToUInt16_m86FFF72766A8C70F9099DEE61111D3E0B9FC618D(_thisAdjusted, ___provider0, method); } // System.Int32 System.DateTime::System.IConvertible.ToInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteralF4753A4DEE54EE10A75B28C6D04EB9EA0D19ACCE); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteralF4753A4DEE54EE10A75B28C6D04EB9EA0D19ACCE); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF_RuntimeMethod_var); } } IL2CPP_EXTERN_C int32_t DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToInt32_m494AB8F54DE9983726AD984DAB9AC41F9BE3EDDF(_thisAdjusted, ___provider0, method); } // System.UInt32 System.DateTime::System.IConvertible.ToUInt32(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint32_t DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteralE71E7BC3FE9E9F3C39E46B53FFFF0C83D9CC9A36); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteralE71E7BC3FE9E9F3C39E46B53FFFF0C83D9CC9A36); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B_RuntimeMethod_var); } } IL2CPP_EXTERN_C uint32_t DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToUInt32_mBC2307EA9BC8BDD1CA4D83FF93036F6361D3390B(_thisAdjusted, ___provider0, method); } // System.Int64 System.DateTime::System.IConvertible.ToInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int64_t DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral180FCBE698D0F2C44101A06215C472930BBD0A01); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral180FCBE698D0F2C44101A06215C472930BBD0A01); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B_RuntimeMethod_var); } } IL2CPP_EXTERN_C int64_t DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToInt64_m37AB85D1F73721D2C30274B8008564637435E03B(_thisAdjusted, ___provider0, method); } // System.UInt64 System.DateTime::System.IConvertible.ToUInt64(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral69A99906F5A06EA1BDBFC02E6132D35DE781D3F1); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral69A99906F5A06EA1BDBFC02E6132D35DE781D3F1); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E_RuntimeMethod_var); } } IL2CPP_EXTERN_C uint64_t DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToUInt64_mD79A0DAD19E8DA50E102E48A793FD0BA9F0DC34E(_thisAdjusted, ___provider0, method); } // System.Single System.DateTime::System.IConvertible.ToSingle(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR float DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteralDD1186892A2F5C2BD17CD7D41F90482E39BD02C5); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteralDD1186892A2F5C2BD17CD7D41F90482E39BD02C5); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90_RuntimeMethod_var); } } IL2CPP_EXTERN_C float DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToSingle_m5AA2E27FE6580FA36530B9475A80DF43BFEF8B90(_thisAdjusted, ___provider0, method); } // System.Double System.DateTime::System.IConvertible.ToDouble(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR double DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral81581597044514BF54D4F97266022FC991F3915E); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral81581597044514BF54D4F97266022FC991F3915E); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075_RuntimeMethod_var); } } IL2CPP_EXTERN_C double DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToDouble_m4E342FDC428CF2B3F3E634A2C583DE8350BC7075(_thisAdjusted, ___provider0, method); } // System.Decimal System.DateTime::System.IConvertible.ToDecimal(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0; NullCheck(L_1); ArrayElementTypeCheck (L_1, _stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteralF1E5BAF5ECC3589631088C40CBDD43061976ED8F); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = L_1; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteralE4C3A2D0CC24A4535EF91791064FFE989CBD382A); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteralE4C3A2D0CC24A4535EF91791064FFE989CBD382A); String_t* L_3 = Environment_GetResourceString_m7389941B4C0688D875CC647D99A739DA2F907ADB(_stringLiteralE5559C91F3F57F398B8B547CA356C67FFA1F6497, L_2, /*hidden argument*/NULL); InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA * L_4 = (InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA *)il2cpp_codegen_object_new(InvalidCastException_t91DF9E7D7FCCDA6C562CB4A9A18903E016680FDA_il2cpp_TypeInfo_var); InvalidCastException__ctor_m3795145150387C6C362DA693613505C604AB8812(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3_RuntimeMethod_var); } } IL2CPP_EXTERN_C Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToDecimal_mB7DCD14BFB253B7CD70733AA9E58FA2824D508F3(_thisAdjusted, ___provider0, method); } // System.DateTime System.DateTime::System.IConvertible.ToDateTime(System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_System_IConvertible_ToDateTime_m2E02F7ED2921DB5A3D7AC8381A6B496F9EC0C7A3 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); return L_0; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 DateTime_System_IConvertible_ToDateTime_m2E02F7ED2921DB5A3D7AC8381A6B496F9EC0C7A3_AdjustorThunk (RuntimeObject * __this, RuntimeObject* ___provider0, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToDateTime_m2E02F7ED2921DB5A3D7AC8381A6B496F9EC0C7A3(_thisAdjusted, ___provider0, method); } // System.Object System.DateTime::System.IConvertible.ToType(System.Type,System.IFormatProvider) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, Type_t * ___type0, RuntimeObject* ___provider1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)__this); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = L_0; RuntimeObject * L_2 = Box(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var, &L_1); Type_t * L_3 = ___type0; RuntimeObject* L_4 = ___provider1; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var); RuntimeObject * L_5 = Convert_DefaultToType_m899D5F6B9FE3E8B878BC56172C6BFE788B6C1BE3((RuntimeObject*)L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } } IL2CPP_EXTERN_C RuntimeObject * DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5_AdjustorThunk (RuntimeObject * __this, Type_t * ___type0, RuntimeObject* ___provider1, const RuntimeMethod* method) { int32_t _offset = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * _thisAdjusted = reinterpret_cast<DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *>(__this + _offset); return DateTime_System_IConvertible_ToType_m1CB32A2D30BF107AC583ABF3E4FA778A7955DAE5(_thisAdjusted, ___type0, ___provider1, method); } // System.Boolean System.DateTime::TryCreate(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.DateTime&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTime_TryCreate_m66B150DF90CE2A1C9658A034DE7964EE44F5D58A (int32_t ___year0, int32_t ___month1, int32_t ___day2, int32_t ___hour3, int32_t ___minute4, int32_t ___second5, int32_t ___millisecond6, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___result7, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime_TryCreate_m66B150DF90CE2A1C9658A034DE7964EE44F5D58A_MetadataUsageId); s_Il2CppMethodInitialized = true; } Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* V_0 = NULL; int64_t V_1 = 0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* G_B8_0 = NULL; { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_0 = ___result7; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_MinValue_31(); *(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_0 = L_1; int32_t L_2 = ___year0; if ((((int32_t)L_2) < ((int32_t)1))) { goto IL_0021; } } { int32_t L_3 = ___year0; if ((((int32_t)L_3) > ((int32_t)((int32_t)9999)))) { goto IL_0021; } } { int32_t L_4 = ___month1; if ((((int32_t)L_4) < ((int32_t)1))) { goto IL_0021; } } { int32_t L_5 = ___month1; if ((((int32_t)L_5) <= ((int32_t)((int32_t)12)))) { goto IL_0023; } } IL_0021: { return (bool)0; } IL_0023: { int32_t L_6 = ___year0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); bool L_7 = DateTime_IsLeapYear_m973908BB0519EEB99F34E6FCE5774ABF72E8ACF7(L_6, /*hidden argument*/NULL); if (L_7) { goto IL_0032; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_8 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth365_29(); G_B8_0 = L_8; goto IL_0037; } IL_0032: { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_9 = ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->get_DaysToMonth366_30(); G_B8_0 = L_9; } IL_0037: { V_0 = G_B8_0; int32_t L_10 = ___day2; if ((((int32_t)L_10) < ((int32_t)1))) { goto IL_0048; } } { int32_t L_11 = ___day2; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_12 = V_0; int32_t L_13 = ___month1; NullCheck(L_12); int32_t L_14 = L_13; int32_t L_15 = (L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_14)); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_16 = V_0; int32_t L_17 = ___month1; NullCheck(L_16); int32_t L_18 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_17, (int32_t)1)); int32_t L_19 = (L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)); if ((((int32_t)L_11) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)L_19))))) { goto IL_004a; } } IL_0048: { return (bool)0; } IL_004a: { int32_t L_20 = ___hour3; if ((((int32_t)L_20) < ((int32_t)0))) { goto IL_0069; } } { int32_t L_21 = ___hour3; if ((((int32_t)L_21) >= ((int32_t)((int32_t)24)))) { goto IL_0069; } } { int32_t L_22 = ___minute4; if ((((int32_t)L_22) < ((int32_t)0))) { goto IL_0069; } } { int32_t L_23 = ___minute4; if ((((int32_t)L_23) >= ((int32_t)((int32_t)60)))) { goto IL_0069; } } { int32_t L_24 = ___second5; if ((((int32_t)L_24) < ((int32_t)0))) { goto IL_0069; } } { int32_t L_25 = ___second5; if ((((int32_t)L_25) < ((int32_t)((int32_t)60)))) { goto IL_006b; } } IL_0069: { return (bool)0; } IL_006b: { int32_t L_26 = ___millisecond6; if ((((int32_t)L_26) < ((int32_t)0))) { goto IL_0079; } } { int32_t L_27 = ___millisecond6; if ((((int32_t)L_27) < ((int32_t)((int32_t)1000)))) { goto IL_007b; } } IL_0079: { return (bool)0; } IL_007b: { int32_t L_28 = ___year0; int32_t L_29 = ___month1; int32_t L_30 = ___day2; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); int64_t L_31 = DateTime_DateToTicks_m8315FA4947393A7ABDB9A9905EE6B0F11ECC6A64(L_28, L_29, L_30, /*hidden argument*/NULL); int32_t L_32 = ___hour3; int32_t L_33 = ___minute4; int32_t L_34 = ___second5; int64_t L_35 = DateTime_TimeToTicks_m38671AD5E9A1A1DE63AF5BAC980B0A0E8E67A5DB(L_32, L_33, L_34, /*hidden argument*/NULL); V_1 = ((int64_t)il2cpp_codegen_add((int64_t)L_31, (int64_t)L_35)); int64_t L_36 = V_1; int32_t L_37 = ___millisecond6; V_1 = ((int64_t)il2cpp_codegen_add((int64_t)L_36, (int64_t)((int64_t)il2cpp_codegen_multiply((int64_t)(((int64_t)((int64_t)L_37))), (int64_t)(((int64_t)((int64_t)((int32_t)10000)))))))); int64_t L_38 = V_1; if ((((int64_t)L_38) < ((int64_t)(((int64_t)((int64_t)0)))))) { goto IL_00ad; } } { int64_t L_39 = V_1; if ((((int64_t)L_39) <= ((int64_t)((int64_t)3155378975999999999LL)))) { goto IL_00af; } } IL_00ad: { return (bool)0; } IL_00af: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_40 = ___result7; int64_t L_41 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_42; memset((&L_42), 0, sizeof(L_42)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_42), L_41, 0, /*hidden argument*/NULL); *(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_40 = L_42; return (bool)1; } } // System.Void System.DateTime::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTime__cctor_mE95C20EB1DD6B449472701E37D593FBF224E3D58 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTime__cctor_mE95C20EB1DD6B449472701E37D593FBF224E3D58_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)((int32_t)13)); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_1 = L_0; RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF L_2 = { reinterpret_cast<intptr_t> (U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____E92B39D8233061927D9ACDE54665E68E7535635A_129_FieldInfo_var) }; RuntimeHelpers_InitializeArray_m29F50CDFEEE0AB868200291366253DD4737BC76A((RuntimeArray *)(RuntimeArray *)L_1, L_2, /*hidden argument*/NULL); ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->set_DaysToMonth365_29(L_1); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)((int32_t)13)); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = L_3; RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF L_5 = { reinterpret_cast<intptr_t> (U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____DD3AEFEADB1CD615F3017763F1568179FEE640B0_125_FieldInfo_var) }; RuntimeHelpers_InitializeArray_m29F50CDFEEE0AB868200291366253DD4737BC76A((RuntimeArray *)(RuntimeArray *)L_4, L_5, /*hidden argument*/NULL); ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->set_DaysToMonth366_30(L_4); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_6; memset((&L_6), 0, sizeof(L_6)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_6), (((int64_t)((int64_t)0))), 0, /*hidden argument*/NULL); ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->set_MinValue_31(L_6); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_7; memset((&L_7), 0, sizeof(L_7)); DateTime__ctor_m184FABF75B3C703A70200D760A7E43C60524630F((&L_7), ((int64_t)3155378975999999999LL), 0, /*hidden argument*/NULL); ((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var))->set_MaxValue_32(L_7); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.DateTimeFormat::FormatDigits(System.Text.StringBuilder,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53 (StringBuilder_t * ___outputBuffer0, int32_t ___value1, int32_t ___len2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53_MetadataUsageId); s_Il2CppMethodInitialized = true; } { StringBuilder_t * L_0 = ___outputBuffer0; int32_t L_1 = ___value1; int32_t L_2 = ___len2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m42EA03EA97A7BF81D98A8DA1DC2449DF7A74F05A(L_0, L_1, L_2, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.DateTimeFormat::FormatDigits(System.Text.StringBuilder,System.Int32,System.Int32,System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatDigits_m42EA03EA97A7BF81D98A8DA1DC2449DF7A74F05A (StringBuilder_t * ___outputBuffer0, int32_t ___value1, int32_t ___len2, bool ___overrideLengthLimit3, const RuntimeMethod* method) { Il2CppChar* V_0 = NULL; Il2CppChar* V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; { bool L_0 = ___overrideLengthLimit3; if (L_0) { goto IL_000a; } } { int32_t L_1 = ___len2; if ((((int32_t)L_1) <= ((int32_t)2))) { goto IL_000a; } } { ___len2 = 2; } IL_000a: { int8_t* L_2 = (int8_t*) alloca((((uintptr_t)((int32_t)32)))); memset(L_2, 0, (((uintptr_t)((int32_t)32)))); V_0 = (Il2CppChar*)(L_2); Il2CppChar* L_3 = V_0; V_1 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_3, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)16))), (int32_t)2)))); int32_t L_4 = ___value1; V_2 = L_4; } IL_001a: { Il2CppChar* L_5 = V_1; Il2CppChar* L_6 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_subtract((intptr_t)L_5, (int32_t)2)); V_1 = (Il2CppChar*)L_6; int32_t L_7 = V_2; *((int16_t*)L_6) = (int16_t)(((int32_t)((uint16_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)((int32_t)L_7%(int32_t)((int32_t)10))), (int32_t)((int32_t)48)))))); int32_t L_8 = V_2; V_2 = ((int32_t)((int32_t)L_8/(int32_t)((int32_t)10))); int32_t L_9 = V_2; if (!L_9) { goto IL_0034; } } { Il2CppChar* L_10 = V_1; Il2CppChar* L_11 = V_0; if ((!(((uintptr_t)L_10) <= ((uintptr_t)L_11)))) { goto IL_001a; } } IL_0034: { Il2CppChar* L_12 = V_0; Il2CppChar* L_13 = V_1; V_3 = (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((Il2CppChar*)((intptr_t)((Il2CppChar*)il2cpp_codegen_subtract((intptr_t)((Il2CppChar*)il2cpp_codegen_add((intptr_t)L_12, (intptr_t)((intptr_t)il2cpp_codegen_multiply((intptr_t)(((intptr_t)((int32_t)16))), (int32_t)2)))), (intptr_t)L_13))/(int32_t)2)))))))); goto IL_0050; } IL_0044: { Il2CppChar* L_14 = V_1; Il2CppChar* L_15 = (Il2CppChar*)((Il2CppChar*)il2cpp_codegen_subtract((intptr_t)L_14, (int32_t)2)); V_1 = (Il2CppChar*)L_15; *((int16_t*)L_15) = (int16_t)((int32_t)48); int32_t L_16 = V_3; V_3 = ((int32_t)il2cpp_codegen_add((int32_t)L_16, (int32_t)1)); } IL_0050: { int32_t L_17 = V_3; int32_t L_18 = ___len2; if ((((int32_t)L_17) >= ((int32_t)L_18))) { goto IL_0058; } } { Il2CppChar* L_19 = V_1; Il2CppChar* L_20 = V_0; if ((!(((uintptr_t)L_19) <= ((uintptr_t)L_20)))) { goto IL_0044; } } IL_0058: { StringBuilder_t * L_21 = ___outputBuffer0; Il2CppChar* L_22 = V_1; int32_t L_23 = V_3; NullCheck(L_21); StringBuilder_Append_m353B571BF530B0BD74B61E499EAF6536F1B93E84(L_21, (Il2CppChar*)(Il2CppChar*)L_22, L_23, /*hidden argument*/NULL); return; } } // System.Void System.DateTimeFormat::HebrewFormatDigits(System.Text.StringBuilder,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC (StringBuilder_t * ___outputBuffer0, int32_t ___digits1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC_MetadataUsageId); s_Il2CppMethodInitialized = true; } { StringBuilder_t * L_0 = ___outputBuffer0; int32_t L_1 = ___digits1; IL2CPP_RUNTIME_CLASS_INIT(HebrewNumber_tD97296A15B8A299C729AF74ECE07226395D0655E_il2cpp_TypeInfo_var); String_t* L_2 = HebrewNumber_ToString_mCFDFB829050DAA0081F94AE7BA9176124852557F(L_1, /*hidden argument*/NULL); NullCheck(L_0); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_0, L_2, /*hidden argument*/NULL); return; } } // System.Int32 System.DateTimeFormat::ParseRepeatPattern(System.String,System.Int32,System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB (String_t* ___format0, int32_t ___pos1, Il2CppChar ___patternChar2, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { String_t* L_0 = ___format0; NullCheck(L_0); int32_t L_1 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_0, /*hidden argument*/NULL); V_0 = L_1; int32_t L_2 = ___pos1; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)1)); goto IL_0011; } IL_000d: { int32_t L_3 = V_1; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)); } IL_0011: { int32_t L_4 = V_1; int32_t L_5 = V_0; if ((((int32_t)L_4) >= ((int32_t)L_5))) { goto IL_001f; } } { String_t* L_6 = ___format0; int32_t L_7 = V_1; NullCheck(L_6); Il2CppChar L_8 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_6, L_7, /*hidden argument*/NULL); Il2CppChar L_9 = ___patternChar2; if ((((int32_t)L_8) == ((int32_t)L_9))) { goto IL_000d; } } IL_001f: { int32_t L_10 = V_1; int32_t L_11 = ___pos1; return ((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)L_11)); } } // System.String System.DateTimeFormat::FormatDayOfWeek(System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatDayOfWeek_m3F0892B000EBE522857AD1EE8676FEBBED8A21F9 (int32_t ___dayOfWeek0, int32_t ___repeat1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method) { { int32_t L_0 = ___repeat1; if ((!(((uint32_t)L_0) == ((uint32_t)3)))) { goto IL_000c; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_1 = ___dtfi2; int32_t L_2 = ___dayOfWeek0; NullCheck(L_1); String_t* L_3 = DateTimeFormatInfo_GetAbbreviatedDayName_m31D50EB7EF2ED3E7F0F72C14498427D8E7799D43(L_1, L_2, /*hidden argument*/NULL); return L_3; } IL_000c: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_4 = ___dtfi2; int32_t L_5 = ___dayOfWeek0; NullCheck(L_4); String_t* L_6 = DateTimeFormatInfo_GetDayName_m82CF60408D75B103DAFF96575B257EFFA80569AF(L_4, L_5, /*hidden argument*/NULL); return L_6; } } // System.String System.DateTimeFormat::FormatMonth(System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatMonth_mA46FA8711C67F699CA3571582725FA8CB226757F (int32_t ___month0, int32_t ___repeatCount1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method) { { int32_t L_0 = ___repeatCount1; if ((!(((uint32_t)L_0) == ((uint32_t)3)))) { goto IL_000c; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_1 = ___dtfi2; int32_t L_2 = ___month0; NullCheck(L_1); String_t* L_3 = DateTimeFormatInfo_GetAbbreviatedMonthName_m5C71C0AB3BCCD6AE4C17104BCB4D2F65759E9D06(L_1, L_2, /*hidden argument*/NULL); return L_3; } IL_000c: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_4 = ___dtfi2; int32_t L_5 = ___month0; NullCheck(L_4); String_t* L_6 = DateTimeFormatInfo_GetMonthName_m442F6260E03F4C61CE83A7DE211B62EB88678DDC(L_4, L_5, /*hidden argument*/NULL); return L_6; } } // System.String System.DateTimeFormat::FormatHebrewMonthName(System.DateTime,System.Int32,System.Int32,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatHebrewMonthName_m95BC9040E14EDDE6DF41A71A93F9D7D1878661E6 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___time0, int32_t ___month1, int32_t ___repeatCount2, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi3, const RuntimeMethod* method) { { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_0 = ___dtfi3; NullCheck(L_0); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_1 = DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline(L_0, /*hidden argument*/NULL); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_2 = ___dtfi3; NullCheck(L_2); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_3 = DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline(L_2, /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = ___time0; NullCheck(L_3); int32_t L_5 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(18 /* System.Int32 System.Globalization.Calendar::GetYear(System.DateTime) */, L_3, L_4); NullCheck(L_1); bool L_6 = VirtFuncInvoker1< bool, int32_t >::Invoke(19 /* System.Boolean System.Globalization.Calendar::IsLeapYear(System.Int32) */, L_1, L_5); if (!L_6) { goto IL_0026; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_7 = ___dtfi3; int32_t L_8 = ___month1; int32_t L_9 = ___repeatCount2; NullCheck(L_7); String_t* L_10 = DateTimeFormatInfo_internalGetMonthName_mE9361985B13F655CED883CDDF45DC962EE2F1F77(L_7, L_8, 2, (bool)((((int32_t)L_9) == ((int32_t)3))? 1 : 0), /*hidden argument*/NULL); return L_10; } IL_0026: { int32_t L_11 = ___month1; if ((((int32_t)L_11) < ((int32_t)7))) { goto IL_002f; } } { int32_t L_12 = ___month1; ___month1 = ((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1)); } IL_002f: { int32_t L_13 = ___repeatCount2; if ((!(((uint32_t)L_13) == ((uint32_t)3)))) { goto IL_003b; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_14 = ___dtfi3; int32_t L_15 = ___month1; NullCheck(L_14); String_t* L_16 = DateTimeFormatInfo_GetAbbreviatedMonthName_m5C71C0AB3BCCD6AE4C17104BCB4D2F65759E9D06(L_14, L_15, /*hidden argument*/NULL); return L_16; } IL_003b: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_17 = ___dtfi3; int32_t L_18 = ___month1; NullCheck(L_17); String_t* L_19 = DateTimeFormatInfo_GetMonthName_m442F6260E03F4C61CE83A7DE211B62EB88678DDC(L_17, L_18, /*hidden argument*/NULL); return L_19; } } // System.Int32 System.DateTimeFormat::ParseQuoteString(System.String,System.Int32,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60 (String_t* ___format0, int32_t ___pos1, StringBuilder_t * ___result2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; Il2CppChar V_2 = 0x0; bool V_3 = false; Il2CppChar V_4 = 0x0; { String_t* L_0 = ___format0; NullCheck(L_0); int32_t L_1 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_0, /*hidden argument*/NULL); V_0 = L_1; int32_t L_2 = ___pos1; V_1 = L_2; String_t* L_3 = ___format0; int32_t L_4 = ___pos1; int32_t L_5 = L_4; ___pos1 = ((int32_t)il2cpp_codegen_add((int32_t)L_5, (int32_t)1)); NullCheck(L_3); Il2CppChar L_6 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_3, L_5, /*hidden argument*/NULL); V_2 = L_6; V_3 = (bool)0; goto IL_0069; } IL_001a: { String_t* L_7 = ___format0; int32_t L_8 = ___pos1; int32_t L_9 = L_8; ___pos1 = ((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); NullCheck(L_7); Il2CppChar L_10 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_7, L_9, /*hidden argument*/NULL); V_4 = L_10; Il2CppChar L_11 = V_4; Il2CppChar L_12 = V_2; if ((!(((uint32_t)L_11) == ((uint32_t)L_12)))) { goto IL_0031; } } { V_3 = (bool)1; goto IL_006d; } IL_0031: { Il2CppChar L_13 = V_4; if ((!(((uint32_t)L_13) == ((uint32_t)((int32_t)92))))) { goto IL_0060; } } { int32_t L_14 = ___pos1; int32_t L_15 = V_0; if ((((int32_t)L_14) >= ((int32_t)L_15))) { goto IL_0050; } } { StringBuilder_t * L_16 = ___result2; String_t* L_17 = ___format0; int32_t L_18 = ___pos1; int32_t L_19 = L_18; ___pos1 = ((int32_t)il2cpp_codegen_add((int32_t)L_19, (int32_t)1)); NullCheck(L_17); Il2CppChar L_20 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_17, L_19, /*hidden argument*/NULL); NullCheck(L_16); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_16, L_20, /*hidden argument*/NULL); goto IL_0069; } IL_0050: { String_t* L_21 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_22 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_22, L_21, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_22, DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60_RuntimeMethod_var); } IL_0060: { StringBuilder_t * L_23 = ___result2; Il2CppChar L_24 = V_4; NullCheck(L_23); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_23, L_24, /*hidden argument*/NULL); } IL_0069: { int32_t L_25 = ___pos1; int32_t L_26 = V_0; if ((((int32_t)L_25) < ((int32_t)L_26))) { goto IL_001a; } } IL_006d: { bool L_27 = V_3; if (L_27) { goto IL_0090; } } { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_28 = CultureInfo_get_CurrentCulture_mD86F3D8E5D332FB304F80D9B9CA4DE849C2A6831(/*hidden argument*/NULL); String_t* L_29 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralB12EF91185B3724C930E74AF87B78C777D1C701F, /*hidden argument*/NULL); Il2CppChar L_30 = V_2; Il2CppChar L_31 = L_30; RuntimeObject * L_32 = Box(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_il2cpp_TypeInfo_var, &L_31); String_t* L_33 = String_Format_m30892041DA5F50D7B8CFD82FFC0F55B5B97A2B7F(L_28, L_29, L_32, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_34 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_34, L_33, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_34, DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60_RuntimeMethod_var); } IL_0090: { int32_t L_35 = ___pos1; int32_t L_36 = V_1; return ((int32_t)il2cpp_codegen_subtract((int32_t)L_35, (int32_t)L_36)); } } // System.Int32 System.DateTimeFormat::ParseNextChar(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t DateTimeFormat_ParseNextChar_m7A2B93C769DB2E4AE88704BFB9D06216610F8F98 (String_t* ___format0, int32_t ___pos1, const RuntimeMethod* method) { { int32_t L_0 = ___pos1; String_t* L_1 = ___format0; NullCheck(L_1); int32_t L_2 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_1, /*hidden argument*/NULL); if ((((int32_t)L_0) < ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_2, (int32_t)1))))) { goto IL_000d; } } { return (-1); } IL_000d: { String_t* L_3 = ___format0; int32_t L_4 = ___pos1; NullCheck(L_3); Il2CppChar L_5 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_3, ((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1)), /*hidden argument*/NULL); return L_5; } } // System.Boolean System.DateTimeFormat::IsUseGenitiveForm(System.String,System.Int32,System.Int32,System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool DateTimeFormat_IsUseGenitiveForm_mC6899D681D480B53806BD3AF1ED729552991AA66 (String_t* ___format0, int32_t ___index1, int32_t ___tokenLen2, Il2CppChar ___patternToMatch3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { V_1 = 0; int32_t L_0 = ___index1; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)1)); goto IL_000c; } IL_0008: { int32_t L_1 = V_0; V_0 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_1, (int32_t)1)); } IL_000c: { int32_t L_2 = V_0; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_001a; } } { String_t* L_3 = ___format0; int32_t L_4 = V_0; NullCheck(L_3); Il2CppChar L_5 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_3, L_4, /*hidden argument*/NULL); Il2CppChar L_6 = ___patternToMatch3; if ((!(((uint32_t)L_5) == ((uint32_t)L_6)))) { goto IL_0008; } } IL_001a: { int32_t L_7 = V_0; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_003c; } } { goto IL_0024; } IL_0020: { int32_t L_8 = V_1; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1)); } IL_0024: { int32_t L_9 = V_0; int32_t L_10 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); V_0 = L_10; if ((((int32_t)L_10) < ((int32_t)0))) { goto IL_0036; } } { String_t* L_11 = ___format0; int32_t L_12 = V_0; NullCheck(L_11); Il2CppChar L_13 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_11, L_12, /*hidden argument*/NULL); Il2CppChar L_14 = ___patternToMatch3; if ((((int32_t)L_13) == ((int32_t)L_14))) { goto IL_0020; } } IL_0036: { int32_t L_15 = V_1; if ((((int32_t)L_15) > ((int32_t)1))) { goto IL_003c; } } { return (bool)1; } IL_003c: { int32_t L_16 = ___index1; int32_t L_17 = ___tokenLen2; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_16, (int32_t)L_17)); goto IL_0046; } IL_0042: { int32_t L_18 = V_0; V_0 = ((int32_t)il2cpp_codegen_add((int32_t)L_18, (int32_t)1)); } IL_0046: { int32_t L_19 = V_0; String_t* L_20 = ___format0; NullCheck(L_20); int32_t L_21 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_20, /*hidden argument*/NULL); if ((((int32_t)L_19) >= ((int32_t)L_21))) { goto IL_0059; } } { String_t* L_22 = ___format0; int32_t L_23 = V_0; NullCheck(L_22); Il2CppChar L_24 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_22, L_23, /*hidden argument*/NULL); Il2CppChar L_25 = ___patternToMatch3; if ((!(((uint32_t)L_24) == ((uint32_t)L_25)))) { goto IL_0042; } } IL_0059: { int32_t L_26 = V_0; String_t* L_27 = ___format0; NullCheck(L_27); int32_t L_28 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_27, /*hidden argument*/NULL); if ((((int32_t)L_26) >= ((int32_t)L_28))) { goto IL_0087; } } { V_1 = 0; goto IL_006a; } IL_0066: { int32_t L_29 = V_1; V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_29, (int32_t)1)); } IL_006a: { int32_t L_30 = V_0; int32_t L_31 = ((int32_t)il2cpp_codegen_add((int32_t)L_30, (int32_t)1)); V_0 = L_31; String_t* L_32 = ___format0; NullCheck(L_32); int32_t L_33 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_32, /*hidden argument*/NULL); if ((((int32_t)L_31) >= ((int32_t)L_33))) { goto IL_0081; } } { String_t* L_34 = ___format0; int32_t L_35 = V_0; NullCheck(L_34); Il2CppChar L_36 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_34, L_35, /*hidden argument*/NULL); Il2CppChar L_37 = ___patternToMatch3; if ((((int32_t)L_36) == ((int32_t)L_37))) { goto IL_0066; } } IL_0081: { int32_t L_38 = V_1; if ((((int32_t)L_38) > ((int32_t)1))) { goto IL_0087; } } { return (bool)1; } IL_0087: { return (bool)0; } } // System.String System.DateTimeFormat::FormatCustomized(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_MetadataUsageId); s_Il2CppMethodInitialized = true; } Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * V_0 = NULL; StringBuilder_t * V_1 = NULL; bool V_2 = false; bool V_3 = false; int32_t V_4 = 0; int32_t V_5 = 0; int32_t V_6 = 0; Il2CppChar V_7 = 0x0; int32_t V_8 = 0; int32_t V_9 = 0; int32_t V_10 = 0; StringBuilder_t * V_11 = NULL; int64_t V_12 = 0; int32_t V_13 = 0; int32_t V_14 = 0; int32_t V_15 = 0; int32_t V_16 = 0; String_t* V_17 = NULL; Il2CppChar V_18 = 0x0; StringBuilder_t * G_B60_0 = NULL; StringBuilder_t * G_B59_0 = NULL; String_t* G_B61_0 = NULL; StringBuilder_t * G_B61_1 = NULL; int32_t G_B78_0 = 0; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * G_B78_1 = NULL; StringBuilder_t * G_B78_2 = NULL; int32_t G_B77_0 = 0; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * G_B77_1 = NULL; StringBuilder_t * G_B77_2 = NULL; int32_t G_B79_0 = 0; int32_t G_B79_1 = 0; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * G_B79_2 = NULL; StringBuilder_t * G_B79_3 = NULL; int32_t G_B85_0 = 0; StringBuilder_t * G_B85_1 = NULL; int32_t G_B84_0 = 0; StringBuilder_t * G_B84_1 = NULL; int32_t G_B86_0 = 0; int32_t G_B86_1 = 0; StringBuilder_t * G_B86_2 = NULL; { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_0 = ___dtfi2; NullCheck(L_0); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_1 = DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline(L_0, /*hidden argument*/NULL); V_0 = L_1; StringBuilder_t * L_2 = StringBuilderCache_Acquire_mCA3DDB17F0BFEF32DA9B4D7E8501D5705890557D(((int32_t)16), /*hidden argument*/NULL); V_1 = L_2; Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_3 = V_0; NullCheck(L_3); int32_t L_4 = VirtFuncInvoker0< int32_t >::Invoke(7 /* System.Int32 System.Globalization.Calendar::get_ID() */, L_3); V_2 = (bool)((((int32_t)L_4) == ((int32_t)8))? 1 : 0); V_3 = (bool)1; V_4 = 0; goto IL_05d3; } IL_0023: { String_t* L_5 = ___format1; int32_t L_6 = V_4; NullCheck(L_5); Il2CppChar L_7 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_5, L_6, /*hidden argument*/NULL); V_7 = L_7; Il2CppChar L_8 = V_7; if ((!(((uint32_t)L_8) <= ((uint32_t)((int32_t)75))))) { goto IL_00a1; } } { Il2CppChar L_9 = V_7; if ((!(((uint32_t)L_9) <= ((uint32_t)((int32_t)47))))) { goto IL_006d; } } { Il2CppChar L_10 = V_7; if ((!(((uint32_t)L_10) <= ((uint32_t)((int32_t)37))))) { goto IL_0056; } } { Il2CppChar L_11 = V_7; if ((((int32_t)L_11) == ((int32_t)((int32_t)34)))) { goto IL_052f; } } { Il2CppChar L_12 = V_7; if ((((int32_t)L_12) == ((int32_t)((int32_t)37)))) { goto IL_054d; } } { goto IL_05c0; } IL_0056: { Il2CppChar L_13 = V_7; if ((((int32_t)L_13) == ((int32_t)((int32_t)39)))) { goto IL_052f; } } { Il2CppChar L_14 = V_7; if ((((int32_t)L_14) == ((int32_t)((int32_t)47)))) { goto IL_051a; } } { goto IL_05c0; } IL_006d: { Il2CppChar L_15 = V_7; if ((!(((uint32_t)L_15) <= ((uint32_t)((int32_t)70))))) { goto IL_008a; } } { Il2CppChar L_16 = V_7; if ((((int32_t)L_16) == ((int32_t)((int32_t)58)))) { goto IL_0505; } } { Il2CppChar L_17 = V_7; if ((((int32_t)L_17) == ((int32_t)((int32_t)70)))) { goto IL_01d8; } } { goto IL_05c0; } IL_008a: { Il2CppChar L_18 = V_7; if ((((int32_t)L_18) == ((int32_t)((int32_t)72)))) { goto IL_0178; } } { Il2CppChar L_19 = V_7; if ((((int32_t)L_19) == ((int32_t)((int32_t)75)))) { goto IL_04f5; } } { goto IL_05c0; } IL_00a1: { Il2CppChar L_20 = V_7; if ((!(((uint32_t)L_20) <= ((uint32_t)((int32_t)109))))) { goto IL_00f0; } } { Il2CppChar L_21 = V_7; if ((!(((uint32_t)L_21) <= ((uint32_t)((int32_t)92))))) { goto IL_00c4; } } { Il2CppChar L_22 = V_7; if ((((int32_t)L_22) == ((int32_t)((int32_t)77)))) { goto IL_03bc; } } { Il2CppChar L_23 = V_7; if ((((int32_t)L_23) == ((int32_t)((int32_t)92)))) { goto IL_0592; } } { goto IL_05c0; } IL_00c4: { Il2CppChar L_24 = V_7; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_24, (int32_t)((int32_t)100)))) { case 0: { goto IL_0368; } case 1: { goto IL_05c0; } case 2: { goto IL_01d8; } case 3: { goto IL_0124; } case 4: { goto IL_0149; } } } { Il2CppChar L_25 = V_7; if ((((int32_t)L_25) == ((int32_t)((int32_t)109)))) { goto IL_0198; } } { goto IL_05c0; } IL_00f0: { Il2CppChar L_26 = V_7; if ((!(((uint32_t)L_26) <= ((uint32_t)((int32_t)116))))) { goto IL_010d; } } { Il2CppChar L_27 = V_7; if ((((int32_t)L_27) == ((int32_t)((int32_t)115)))) { goto IL_01b8; } } { Il2CppChar L_28 = V_7; if ((((int32_t)L_28) == ((int32_t)((int32_t)116)))) { goto IL_02d5; } } { goto IL_05c0; } IL_010d: { Il2CppChar L_29 = V_7; if ((((int32_t)L_29) == ((int32_t)((int32_t)121)))) { goto IL_0451; } } { Il2CppChar L_30 = V_7; if ((((int32_t)L_30) == ((int32_t)((int32_t)122)))) { goto IL_04d8; } } { goto IL_05c0; } IL_0124: { String_t* L_31 = ___format1; int32_t L_32 = V_4; Il2CppChar L_33 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_34 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_31, L_32, L_33, /*hidden argument*/NULL); V_5 = L_34; StringBuilder_t * L_35 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_36 = ___dtfi2; Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_37 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_38 = ___dateTime0; NullCheck(L_37); int32_t L_39 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(14 /* System.Int32 System.Globalization.Calendar::GetEra(System.DateTime) */, L_37, L_38); NullCheck(L_36); String_t* L_40 = DateTimeFormatInfo_GetEraName_mA4F71726B4A0780F732E56EE4876DCDF7EA2EB38(L_36, L_39, /*hidden argument*/NULL); NullCheck(L_35); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_35, L_40, /*hidden argument*/NULL); goto IL_05cc; } IL_0149: { String_t* L_41 = ___format1; int32_t L_42 = V_4; Il2CppChar L_43 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_44 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_41, L_42, L_43, /*hidden argument*/NULL); V_5 = L_44; int32_t L_45 = DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); V_6 = ((int32_t)((int32_t)L_45%(int32_t)((int32_t)12))); int32_t L_46 = V_6; if (L_46) { goto IL_0169; } } { V_6 = ((int32_t)12); } IL_0169: { StringBuilder_t * L_47 = V_1; int32_t L_48 = V_6; int32_t L_49 = V_5; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_47, L_48, L_49, /*hidden argument*/NULL); goto IL_05cc; } IL_0178: { String_t* L_50 = ___format1; int32_t L_51 = V_4; Il2CppChar L_52 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_53 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_50, L_51, L_52, /*hidden argument*/NULL); V_5 = L_53; StringBuilder_t * L_54 = V_1; int32_t L_55 = DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); int32_t L_56 = V_5; DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_54, L_55, L_56, /*hidden argument*/NULL); goto IL_05cc; } IL_0198: { String_t* L_57 = ___format1; int32_t L_58 = V_4; Il2CppChar L_59 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_60 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_57, L_58, L_59, /*hidden argument*/NULL); V_5 = L_60; StringBuilder_t * L_61 = V_1; int32_t L_62 = DateTime_get_Minute_m688A6B7CF6D23E040CBCA15C8CFFBE5EE5C62A77((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); int32_t L_63 = V_5; DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_61, L_62, L_63, /*hidden argument*/NULL); goto IL_05cc; } IL_01b8: { String_t* L_64 = ___format1; int32_t L_65 = V_4; Il2CppChar L_66 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_67 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_64, L_65, L_66, /*hidden argument*/NULL); V_5 = L_67; StringBuilder_t * L_68 = V_1; int32_t L_69 = DateTime_get_Second_m0EC5A6215E5FF43D49702279430EAD1B66302951((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); int32_t L_70 = V_5; DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_68, L_69, L_70, /*hidden argument*/NULL); goto IL_05cc; } IL_01d8: { String_t* L_71 = ___format1; int32_t L_72 = V_4; Il2CppChar L_73 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_74 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_71, L_72, L_73, /*hidden argument*/NULL); V_5 = L_74; int32_t L_75 = V_5; if ((((int32_t)L_75) > ((int32_t)7))) { goto IL_02c5; } } { int64_t L_76 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); V_12 = ((int64_t)((int64_t)L_76%(int64_t)(((int64_t)((int64_t)((int32_t)10000000)))))); int64_t L_77 = V_12; int32_t L_78 = V_5; IL2CPP_RUNTIME_CLASS_INIT(Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var); double L_79 = Math_Pow_m9CD842663B1A2FA4C66EEFFC6F0D705B40BE46F1((10.0), (((double)((double)((int32_t)il2cpp_codegen_subtract((int32_t)7, (int32_t)L_78))))), /*hidden argument*/NULL); V_12 = ((int64_t)((int64_t)L_77/(int64_t)(((int64_t)((int64_t)L_79))))); Il2CppChar L_80 = V_7; if ((!(((uint32_t)L_80) == ((uint32_t)((int32_t)102))))) { goto IL_0242; } } { StringBuilder_t * L_81 = V_1; int64_t L_82 = V_12; V_13 = (((int32_t)((int32_t)L_82))); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_83 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_fixedNumberFormats_2(); int32_t L_84 = V_5; NullCheck(L_83); int32_t L_85 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_84, (int32_t)1)); String_t* L_86 = (L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_87 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); String_t* L_88 = Int32_ToString_mE527694B0C55AE14FDCBE1D9C848446C18E22C09((int32_t*)(&V_13), L_86, L_87, /*hidden argument*/NULL); NullCheck(L_81); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_81, L_88, /*hidden argument*/NULL); goto IL_05cc; } IL_0242: { int32_t L_89 = V_5; V_14 = L_89; goto IL_025e; } IL_0248: { int64_t L_90 = V_12; if (((int64_t)((int64_t)L_90%(int64_t)(((int64_t)((int64_t)((int32_t)10))))))) { goto IL_0263; } } { int64_t L_91 = V_12; V_12 = ((int64_t)((int64_t)L_91/(int64_t)(((int64_t)((int64_t)((int32_t)10)))))); int32_t L_92 = V_14; V_14 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_92, (int32_t)1)); } IL_025e: { int32_t L_93 = V_14; if ((((int32_t)L_93) > ((int32_t)0))) { goto IL_0248; } } IL_0263: { int32_t L_94 = V_14; if ((((int32_t)L_94) <= ((int32_t)0))) { goto IL_028f; } } { StringBuilder_t * L_95 = V_1; int64_t L_96 = V_12; V_13 = (((int32_t)((int32_t)L_96))); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_97 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_fixedNumberFormats_2(); int32_t L_98 = V_14; NullCheck(L_97); int32_t L_99 = ((int32_t)il2cpp_codegen_subtract((int32_t)L_98, (int32_t)1)); String_t* L_100 = (L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_99)); IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_101 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); String_t* L_102 = Int32_ToString_mE527694B0C55AE14FDCBE1D9C848446C18E22C09((int32_t*)(&V_13), L_100, L_101, /*hidden argument*/NULL); NullCheck(L_95); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_95, L_102, /*hidden argument*/NULL); goto IL_05cc; } IL_028f: { StringBuilder_t * L_103 = V_1; NullCheck(L_103); int32_t L_104 = StringBuilder_get_Length_m44BCD2BF32D45E9376761FF33AA429BFBD902F07(L_103, /*hidden argument*/NULL); if ((((int32_t)L_104) <= ((int32_t)0))) { goto IL_05cc; } } { StringBuilder_t * L_105 = V_1; StringBuilder_t * L_106 = V_1; NullCheck(L_106); int32_t L_107 = StringBuilder_get_Length_m44BCD2BF32D45E9376761FF33AA429BFBD902F07(L_106, /*hidden argument*/NULL); NullCheck(L_105); Il2CppChar L_108 = StringBuilder_get_Chars_mC069533DCA4FB798DFA069469EBABA85DCC183C6(L_105, ((int32_t)il2cpp_codegen_subtract((int32_t)L_107, (int32_t)1)), /*hidden argument*/NULL); if ((!(((uint32_t)L_108) == ((uint32_t)((int32_t)46))))) { goto IL_05cc; } } { StringBuilder_t * L_109 = V_1; StringBuilder_t * L_110 = V_1; NullCheck(L_110); int32_t L_111 = StringBuilder_get_Length_m44BCD2BF32D45E9376761FF33AA429BFBD902F07(L_110, /*hidden argument*/NULL); NullCheck(L_109); StringBuilder_Remove_m5DA9C1C4D056FA61B8923BE85E6BFF44B14A24F9(L_109, ((int32_t)il2cpp_codegen_subtract((int32_t)L_111, (int32_t)1)), 1, /*hidden argument*/NULL); goto IL_05cc; } IL_02c5: { String_t* L_112 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_113 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_113, L_112, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_113, DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_RuntimeMethod_var); } IL_02d5: { String_t* L_114 = ___format1; int32_t L_115 = V_4; Il2CppChar L_116 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_117 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_114, L_115, L_116, /*hidden argument*/NULL); V_5 = L_117; int32_t L_118 = V_5; if ((!(((uint32_t)L_118) == ((uint32_t)1)))) { goto IL_0343; } } { int32_t L_119 = DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); if ((((int32_t)L_119) >= ((int32_t)((int32_t)12)))) { goto IL_031a; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_120 = ___dtfi2; NullCheck(L_120); String_t* L_121 = DateTimeFormatInfo_get_AMDesignator_m3F6101B15CF9711362B92B7827F29BC8589EEC13_inline(L_120, /*hidden argument*/NULL); NullCheck(L_121); int32_t L_122 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_121, /*hidden argument*/NULL); if ((((int32_t)L_122) < ((int32_t)1))) { goto IL_05cc; } } { StringBuilder_t * L_123 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_124 = ___dtfi2; NullCheck(L_124); String_t* L_125 = DateTimeFormatInfo_get_AMDesignator_m3F6101B15CF9711362B92B7827F29BC8589EEC13_inline(L_124, /*hidden argument*/NULL); NullCheck(L_125); Il2CppChar L_126 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_125, 0, /*hidden argument*/NULL); NullCheck(L_123); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_123, L_126, /*hidden argument*/NULL); goto IL_05cc; } IL_031a: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_127 = ___dtfi2; NullCheck(L_127); String_t* L_128 = DateTimeFormatInfo_get_PMDesignator_m9B249FB528D588F5B6AEFA088CEF342DEDF8594D_inline(L_127, /*hidden argument*/NULL); NullCheck(L_128); int32_t L_129 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_128, /*hidden argument*/NULL); if ((((int32_t)L_129) < ((int32_t)1))) { goto IL_05cc; } } { StringBuilder_t * L_130 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_131 = ___dtfi2; NullCheck(L_131); String_t* L_132 = DateTimeFormatInfo_get_PMDesignator_m9B249FB528D588F5B6AEFA088CEF342DEDF8594D_inline(L_131, /*hidden argument*/NULL); NullCheck(L_132); Il2CppChar L_133 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_132, 0, /*hidden argument*/NULL); NullCheck(L_130); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_130, L_133, /*hidden argument*/NULL); goto IL_05cc; } IL_0343: { StringBuilder_t * L_134 = V_1; int32_t L_135 = DateTime_get_Hour_mAE590743ACB6951BD0C4521634B698AE34EC08B3((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); G_B59_0 = L_134; if ((((int32_t)L_135) < ((int32_t)((int32_t)12)))) { G_B60_0 = L_134; goto IL_0357; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_136 = ___dtfi2; NullCheck(L_136); String_t* L_137 = DateTimeFormatInfo_get_PMDesignator_m9B249FB528D588F5B6AEFA088CEF342DEDF8594D_inline(L_136, /*hidden argument*/NULL); G_B61_0 = L_137; G_B61_1 = G_B59_0; goto IL_035d; } IL_0357: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_138 = ___dtfi2; NullCheck(L_138); String_t* L_139 = DateTimeFormatInfo_get_AMDesignator_m3F6101B15CF9711362B92B7827F29BC8589EEC13_inline(L_138, /*hidden argument*/NULL); G_B61_0 = L_139; G_B61_1 = G_B60_0; } IL_035d: { NullCheck(G_B61_1); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(G_B61_1, G_B61_0, /*hidden argument*/NULL); goto IL_05cc; } IL_0368: { String_t* L_140 = ___format1; int32_t L_141 = V_4; Il2CppChar L_142 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_143 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_140, L_141, L_142, /*hidden argument*/NULL); V_5 = L_143; int32_t L_144 = V_5; if ((((int32_t)L_144) > ((int32_t)2))) { goto IL_039b; } } { Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_145 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_146 = ___dateTime0; NullCheck(L_145); int32_t L_147 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(11 /* System.Int32 System.Globalization.Calendar::GetDayOfMonth(System.DateTime) */, L_145, L_146); V_15 = L_147; bool L_148 = V_2; if (!L_148) { goto IL_038f; } } { StringBuilder_t * L_149 = V_1; int32_t L_150 = V_15; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC(L_149, L_150, /*hidden argument*/NULL); goto IL_03b5; } IL_038f: { StringBuilder_t * L_151 = V_1; int32_t L_152 = V_15; int32_t L_153 = V_5; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_151, L_152, L_153, /*hidden argument*/NULL); goto IL_03b5; } IL_039b: { Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_154 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_155 = ___dateTime0; NullCheck(L_154); int32_t L_156 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(12 /* System.DayOfWeek System.Globalization.Calendar::GetDayOfWeek(System.DateTime) */, L_154, L_155); V_16 = L_156; StringBuilder_t * L_157 = V_1; int32_t L_158 = V_16; int32_t L_159 = V_5; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_160 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_161 = DateTimeFormat_FormatDayOfWeek_m3F0892B000EBE522857AD1EE8676FEBBED8A21F9(L_158, L_159, L_160, /*hidden argument*/NULL); NullCheck(L_157); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_157, L_161, /*hidden argument*/NULL); } IL_03b5: { V_3 = (bool)0; goto IL_05cc; } IL_03bc: { String_t* L_162 = ___format1; int32_t L_163 = V_4; Il2CppChar L_164 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_165 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_162, L_163, L_164, /*hidden argument*/NULL); V_5 = L_165; Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_166 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_167 = ___dateTime0; NullCheck(L_166); int32_t L_168 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(16 /* System.Int32 System.Globalization.Calendar::GetMonth(System.DateTime) */, L_166, L_167); V_9 = L_168; int32_t L_169 = V_5; if ((((int32_t)L_169) > ((int32_t)2))) { goto IL_03ef; } } { bool L_170 = V_2; if (!L_170) { goto IL_03e3; } } { StringBuilder_t * L_171 = V_1; int32_t L_172 = V_9; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC(L_171, L_172, /*hidden argument*/NULL); goto IL_044a; } IL_03e3: { StringBuilder_t * L_173 = V_1; int32_t L_174 = V_9; int32_t L_175 = V_5; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_173, L_174, L_175, /*hidden argument*/NULL); goto IL_044a; } IL_03ef: { bool L_176 = V_2; if (!L_176) { goto IL_0406; } } { StringBuilder_t * L_177 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_178 = ___dateTime0; int32_t L_179 = V_9; int32_t L_180 = V_5; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_181 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_182 = DateTimeFormat_FormatHebrewMonthName_m95BC9040E14EDDE6DF41A71A93F9D7D1878661E6(L_178, L_179, L_180, L_181, /*hidden argument*/NULL); NullCheck(L_177); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_177, L_182, /*hidden argument*/NULL); goto IL_044a; } IL_0406: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_183 = ___dtfi2; NullCheck(L_183); int32_t L_184 = DateTimeFormatInfo_get_FormatFlags_m42B106A8C2AC470D425032034608045AABB71731(L_183, /*hidden argument*/NULL); if (!((int32_t)((int32_t)L_184&(int32_t)1))) { goto IL_0439; } } { int32_t L_185 = V_5; if ((((int32_t)L_185) < ((int32_t)4))) { goto IL_0439; } } { StringBuilder_t * L_186 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_187 = ___dtfi2; int32_t L_188 = V_9; String_t* L_189 = ___format1; int32_t L_190 = V_4; int32_t L_191 = V_5; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); bool L_192 = DateTimeFormat_IsUseGenitiveForm_mC6899D681D480B53806BD3AF1ED729552991AA66(L_189, L_190, L_191, ((int32_t)100), /*hidden argument*/NULL); G_B77_0 = L_188; G_B77_1 = L_187; G_B77_2 = L_186; if (L_192) { G_B78_0 = L_188; G_B78_1 = L_187; G_B78_2 = L_186; goto IL_042a; } } { G_B79_0 = 0; G_B79_1 = G_B77_0; G_B79_2 = G_B77_1; G_B79_3 = G_B77_2; goto IL_042b; } IL_042a: { G_B79_0 = 1; G_B79_1 = G_B78_0; G_B79_2 = G_B78_1; G_B79_3 = G_B78_2; } IL_042b: { NullCheck(G_B79_2); String_t* L_193 = DateTimeFormatInfo_internalGetMonthName_mE9361985B13F655CED883CDDF45DC962EE2F1F77(G_B79_2, G_B79_1, G_B79_0, (bool)0, /*hidden argument*/NULL); NullCheck(G_B79_3); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(G_B79_3, L_193, /*hidden argument*/NULL); goto IL_044a; } IL_0439: { StringBuilder_t * L_194 = V_1; int32_t L_195 = V_9; int32_t L_196 = V_5; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_197 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_198 = DateTimeFormat_FormatMonth_mA46FA8711C67F699CA3571582725FA8CB226757F(L_195, L_196, L_197, /*hidden argument*/NULL); NullCheck(L_194); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_194, L_198, /*hidden argument*/NULL); } IL_044a: { V_3 = (bool)0; goto IL_05cc; } IL_0451: { Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_199 = V_0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_200 = ___dateTime0; NullCheck(L_199); int32_t L_201 = VirtFuncInvoker1< int32_t, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 >::Invoke(18 /* System.Int32 System.Globalization.Calendar::GetYear(System.DateTime) */, L_199, L_200); V_10 = L_201; String_t* L_202 = ___format1; int32_t L_203 = V_4; Il2CppChar L_204 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_205 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_202, L_203, L_204, /*hidden argument*/NULL); V_5 = L_205; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_206 = ___dtfi2; NullCheck(L_206); bool L_207 = DateTimeFormatInfo_get_HasForceTwoDigitYears_m4CF064E8CAFE2C1DBCDAE8747137E94ACBA81A7B(L_206, /*hidden argument*/NULL); if (!L_207) { goto IL_0482; } } { StringBuilder_t * L_208 = V_1; int32_t L_209 = V_10; int32_t L_210 = V_5; G_B84_0 = L_209; G_B84_1 = L_208; if ((((int32_t)L_210) <= ((int32_t)2))) { G_B85_0 = L_209; G_B85_1 = L_208; goto IL_0479; } } { G_B86_0 = 2; G_B86_1 = G_B84_0; G_B86_2 = G_B84_1; goto IL_047b; } IL_0479: { int32_t L_211 = V_5; G_B86_0 = L_211; G_B86_1 = G_B85_0; G_B86_2 = G_B85_1; } IL_047b: { IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(G_B86_2, G_B86_1, G_B86_0, /*hidden argument*/NULL); goto IL_04d1; } IL_0482: { Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_212 = V_0; NullCheck(L_212); int32_t L_213 = VirtFuncInvoker0< int32_t >::Invoke(7 /* System.Int32 System.Globalization.Calendar::get_ID() */, L_212); if ((!(((uint32_t)L_213) == ((uint32_t)8)))) { goto IL_0495; } } { StringBuilder_t * L_214 = V_1; int32_t L_215 = V_10; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_HebrewFormatDigits_m89657AAA5FF4AC8C0E6D490BA0DD98DF2F92AEBC(L_214, L_215, /*hidden argument*/NULL); goto IL_04d1; } IL_0495: { int32_t L_216 = V_5; if ((((int32_t)L_216) > ((int32_t)2))) { goto IL_04a9; } } { StringBuilder_t * L_217 = V_1; int32_t L_218 = V_10; int32_t L_219 = V_5; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatDigits_m26B4143174A9FCEFF5DE1BD1DA78EE75F0A12B53(L_217, ((int32_t)((int32_t)L_218%(int32_t)((int32_t)100))), L_219, /*hidden argument*/NULL); goto IL_04d1; } IL_04a9: { int32_t L_220 = V_5; int32_t L_221 = L_220; RuntimeObject * L_222 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_221); String_t* L_223 = String_Concat_mBB19C73816BDD1C3519F248E1ADC8E11A6FDB495(_stringLiteral50C9E8D5FC98727B4BBC93CF5D64A68DB647F04F, L_222, /*hidden argument*/NULL); V_17 = L_223; StringBuilder_t * L_224 = V_1; String_t* L_225 = V_17; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_226 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); String_t* L_227 = Int32_ToString_mE527694B0C55AE14FDCBE1D9C848446C18E22C09((int32_t*)(&V_10), L_225, L_226, /*hidden argument*/NULL); NullCheck(L_224); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_224, L_227, /*hidden argument*/NULL); } IL_04d1: { V_3 = (bool)0; goto IL_05cc; } IL_04d8: { String_t* L_228 = ___format1; int32_t L_229 = V_4; Il2CppChar L_230 = V_7; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_231 = DateTimeFormat_ParseRepeatPattern_m11E6DB962F18F4FA477D4A4E4C168AF8771D67DB(L_228, L_229, L_230, /*hidden argument*/NULL); V_5 = L_231; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_232 = ___dateTime0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_233 = ___offset3; String_t* L_234 = ___format1; int32_t L_235 = V_5; bool L_236 = V_3; StringBuilder_t * L_237 = V_1; DateTimeFormat_FormatCustomizedTimeZone_m31043AD6F2795436AB56520F2689E3E0DDA5C685(L_232, L_233, L_234, L_235, L_236, L_237, /*hidden argument*/NULL); goto IL_05cc; } IL_04f5: { V_5 = 1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_238 = ___dateTime0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_239 = ___offset3; StringBuilder_t * L_240 = V_1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_FormatCustomizedRoundripTimeZone_mDCF0536EFD8B9E6DD2E794237D72D9C939099AC7(L_238, L_239, L_240, /*hidden argument*/NULL); goto IL_05cc; } IL_0505: { StringBuilder_t * L_241 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_242 = ___dtfi2; NullCheck(L_242); String_t* L_243 = DateTimeFormatInfo_get_TimeSeparator_m9D230E9D88CE3E2EBA24365775D2B4B2D5621C58_inline(L_242, /*hidden argument*/NULL); NullCheck(L_241); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_241, L_243, /*hidden argument*/NULL); V_5 = 1; goto IL_05cc; } IL_051a: { StringBuilder_t * L_244 = V_1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_245 = ___dtfi2; NullCheck(L_245); String_t* L_246 = DateTimeFormatInfo_get_DateSeparator_m68C0C4E4320F22BAA7B6E6EFF7DD7349541D509C_inline(L_245, /*hidden argument*/NULL); NullCheck(L_244); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_244, L_246, /*hidden argument*/NULL); V_5 = 1; goto IL_05cc; } IL_052f: { StringBuilder_t * L_247 = (StringBuilder_t *)il2cpp_codegen_object_new(StringBuilder_t_il2cpp_TypeInfo_var); StringBuilder__ctor_mF928376F82E8C8FF3C11842C562DB8CF28B2735E(L_247, /*hidden argument*/NULL); V_11 = L_247; String_t* L_248 = ___format1; int32_t L_249 = V_4; StringBuilder_t * L_250 = V_11; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_251 = DateTimeFormat_ParseQuoteString_m0B491849EDF980D33DC51E7C756D244FF831CA60(L_248, L_249, L_250, /*hidden argument*/NULL); V_5 = L_251; StringBuilder_t * L_252 = V_1; StringBuilder_t * L_253 = V_11; NullCheck(L_252); StringBuilder_Append_mA1A063A1388A21C8EA011DBA7FC98C24C3EE3D65(L_252, L_253, /*hidden argument*/NULL); goto IL_05cc; } IL_054d: { String_t* L_254 = ___format1; int32_t L_255 = V_4; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_256 = DateTimeFormat_ParseNextChar_m7A2B93C769DB2E4AE88704BFB9D06216610F8F98(L_254, L_255, /*hidden argument*/NULL); V_8 = L_256; int32_t L_257 = V_8; if ((((int32_t)L_257) < ((int32_t)0))) { goto IL_0582; } } { int32_t L_258 = V_8; if ((((int32_t)L_258) == ((int32_t)((int32_t)37)))) { goto IL_0582; } } { StringBuilder_t * L_259 = V_1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_260 = ___dateTime0; int32_t L_261 = V_8; V_18 = (((int32_t)((uint16_t)L_261))); String_t* L_262 = Char_ToString_mA42A88FEBA41B72D48BB24373E3101B7A91B6FD8((Il2CppChar*)(&V_18), /*hidden argument*/NULL); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_263 = ___dtfi2; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_264 = ___offset3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_265 = DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619(L_260, L_262, L_263, L_264, /*hidden argument*/NULL); NullCheck(L_259); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_259, L_265, /*hidden argument*/NULL); V_5 = 2; goto IL_05cc; } IL_0582: { String_t* L_266 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_267 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_267, L_266, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_267, DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_RuntimeMethod_var); } IL_0592: { String_t* L_268 = ___format1; int32_t L_269 = V_4; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); int32_t L_270 = DateTimeFormat_ParseNextChar_m7A2B93C769DB2E4AE88704BFB9D06216610F8F98(L_268, L_269, /*hidden argument*/NULL); V_8 = L_270; int32_t L_271 = V_8; if ((((int32_t)L_271) < ((int32_t)0))) { goto IL_05b0; } } { StringBuilder_t * L_272 = V_1; int32_t L_273 = V_8; NullCheck(L_272); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_272, (((int32_t)((uint16_t)L_273))), /*hidden argument*/NULL); V_5 = 2; goto IL_05cc; } IL_05b0: { String_t* L_274 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_275 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_275, L_274, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_275, DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619_RuntimeMethod_var); } IL_05c0: { StringBuilder_t * L_276 = V_1; Il2CppChar L_277 = V_7; NullCheck(L_276); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_276, L_277, /*hidden argument*/NULL); V_5 = 1; } IL_05cc: { int32_t L_278 = V_4; int32_t L_279 = V_5; V_4 = ((int32_t)il2cpp_codegen_add((int32_t)L_278, (int32_t)L_279)); } IL_05d3: { int32_t L_280 = V_4; String_t* L_281 = ___format1; NullCheck(L_281); int32_t L_282 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_281, /*hidden argument*/NULL); if ((((int32_t)L_280) < ((int32_t)L_282))) { goto IL_0023; } } { StringBuilder_t * L_283 = V_1; String_t* L_284 = StringBuilderCache_GetStringAndRelease_mDD5B8378FE9378CACF8660EB460E0CE545F215F7(L_283, /*hidden argument*/NULL); return L_284; } } // System.Void System.DateTimeFormat::FormatCustomizedTimeZone(System.DateTime,System.TimeSpan,System.String,System.Int32,System.Boolean,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatCustomizedTimeZone_m31043AD6F2795436AB56520F2689E3E0DDA5C685 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset1, String_t* ___format2, int32_t ___tokenLen3, bool ___timeOnly4, StringBuilder_t * ___result5, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_FormatCustomizedTimeZone_m31043AD6F2795436AB56520F2689E3E0DDA5C685_MetadataUsageId); s_Il2CppMethodInitialized = true; } { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_0 = ___offset1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_2 = TimeSpan_op_Equality_mEA0A4B7FDCAFA54C636292F7EB76F9A16C44096D(L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0060; } } { bool L_3 = ___timeOnly4; if (!L_3) { goto IL_0032; } } { int64_t L_4 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); if ((((int64_t)L_4) >= ((int64_t)((int64_t)864000000000LL)))) { goto IL_0032; } } { IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_5 = DateTime_get_Now_mB464D30F15C97069F92C1F910DCDDC3DFCC7F7D2(/*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_6 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_5, 2, /*hidden argument*/NULL); ___offset1 = L_6; goto IL_0060; } IL_0032: { int32_t L_7 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); if ((!(((uint32_t)L_7) == ((uint32_t)1)))) { goto IL_0057; } } { String_t* L_8 = ___format2; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_9 = ___dateTime0; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_InvalidFormatForUtc_m0E9CACD473EA60B086EAD03C09488869673E109D(L_8, L_9, /*hidden argument*/NULL); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_10 = ___dateTime0; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_11 = DateTime_SpecifyKind_m2E9B2B28CB3255EA842EBCBA42AF0565144D2316(L_10, 2, /*hidden argument*/NULL); ___dateTime0 = L_11; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_12 = ___dateTime0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_13 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_12, 2, /*hidden argument*/NULL); ___offset1 = L_13; goto IL_0060; } IL_0057: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_14 = ___dateTime0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_15 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_14, 2, /*hidden argument*/NULL); ___offset1 = L_15; } IL_0060: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_16 = ___offset1; IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_17 = ((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields*)il2cpp_codegen_static_fields_for(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var))->get_Zero_0(); bool L_18 = TimeSpan_op_GreaterThanOrEqual_m7FE9830EF2AAD2BB65628A0FE7F7C70161BB4D9B(L_16, L_17, /*hidden argument*/NULL); if (!L_18) { goto IL_0079; } } { StringBuilder_t * L_19 = ___result5; NullCheck(L_19); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_19, ((int32_t)43), /*hidden argument*/NULL); goto IL_008c; } IL_0079: { StringBuilder_t * L_20 = ___result5; NullCheck(L_20); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_20, ((int32_t)45), /*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_21 = TimeSpan_Negate_m0DC5231DD5489EB3A8A7AE9AC30F83CBD3987C33((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); ___offset1 = L_21; } IL_008c: { int32_t L_22 = ___tokenLen3; if ((((int32_t)L_22) > ((int32_t)1))) { goto IL_00af; } } { StringBuilder_t * L_23 = ___result5; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_24 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); int32_t L_25 = TimeSpan_get_Hours_mE248B39F7E3E07DAD257713114E86A1A2C191A45((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); int32_t L_26 = L_25; RuntimeObject * L_27 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_26); NullCheck(L_23); StringBuilder_AppendFormat_m0097821BD0E9086D37BEE314239983EBD980B636(L_23, L_24, _stringLiteralBDEF35423BEEA3F7C34BDC3E75748DEA59050198, L_27, /*hidden argument*/NULL); return; } IL_00af: { StringBuilder_t * L_28 = ___result5; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_29 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); int32_t L_30 = TimeSpan_get_Hours_mE248B39F7E3E07DAD257713114E86A1A2C191A45((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); int32_t L_31 = L_30; RuntimeObject * L_32 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_31); NullCheck(L_28); StringBuilder_AppendFormat_m0097821BD0E9086D37BEE314239983EBD980B636(L_28, L_29, _stringLiteral250E34D0324F6809D28A6BCC386CC09FE5DB991C, L_32, /*hidden argument*/NULL); int32_t L_33 = ___tokenLen3; if ((((int32_t)L_33) < ((int32_t)3))) { goto IL_00ef; } } { StringBuilder_t * L_34 = ___result5; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_35 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); int32_t L_36 = TimeSpan_get_Minutes_mCABF9EE7E7F78368DA0F825F5922C06238DD0F22((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); int32_t L_37 = L_36; RuntimeObject * L_38 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_37); NullCheck(L_34); StringBuilder_AppendFormat_m0097821BD0E9086D37BEE314239983EBD980B636(L_34, L_35, _stringLiteral2E7074DA7ECD9C7BACE7E75734DE6D1D00895DFE, L_38, /*hidden argument*/NULL); } IL_00ef: { return; } } // System.Void System.DateTimeFormat::FormatCustomizedRoundripTimeZone(System.DateTime,System.TimeSpan,System.Text.StringBuilder) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_FormatCustomizedRoundripTimeZone_mDCF0536EFD8B9E6DD2E794237D72D9C939099AC7 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset1, StringBuilder_t * ___result2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_FormatCustomizedRoundripTimeZone_mDCF0536EFD8B9E6DD2E794237D72D9C939099AC7_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_0 = ___offset1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_1 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_2 = TimeSpan_op_Equality_mEA0A4B7FDCAFA54C636292F7EB76F9A16C44096D(L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0036; } } { int32_t L_3 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); V_0 = L_3; int32_t L_4 = V_0; if ((((int32_t)L_4) == ((int32_t)1))) { goto IL_0028; } } { int32_t L_5 = V_0; if ((!(((uint32_t)L_5) == ((uint32_t)2)))) { goto IL_0035; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_6 = ___dateTime0; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_7 = TimeZoneInfo_GetLocalUtcOffset_m1C5E0CC7CA725508F5180BDBF2D03C3E8DF0FBFC(L_6, 2, /*hidden argument*/NULL); ___offset1 = L_7; goto IL_0036; } IL_0028: { StringBuilder_t * L_8 = ___result2; NullCheck(L_8); StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_8, _stringLiteral909F99A779ADB66A76FC53AB56C7DD1CAF35D0FD, /*hidden argument*/NULL); return; } IL_0035: { return; } IL_0036: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_9 = ___offset1; IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_10 = ((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields*)il2cpp_codegen_static_fields_for(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var))->get_Zero_0(); bool L_11 = TimeSpan_op_GreaterThanOrEqual_m7FE9830EF2AAD2BB65628A0FE7F7C70161BB4D9B(L_9, L_10, /*hidden argument*/NULL); if (!L_11) { goto IL_004e; } } { StringBuilder_t * L_12 = ___result2; NullCheck(L_12); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_12, ((int32_t)43), /*hidden argument*/NULL); goto IL_0060; } IL_004e: { StringBuilder_t * L_13 = ___result2; NullCheck(L_13); StringBuilder_Append_m05C12F58ADC2D807613A9301DF438CB3CD09B75A(L_13, ((int32_t)45), /*hidden argument*/NULL); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_14 = TimeSpan_Negate_m0DC5231DD5489EB3A8A7AE9AC30F83CBD3987C33((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); ___offset1 = L_14; } IL_0060: { StringBuilder_t * L_15 = ___result2; IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F_il2cpp_TypeInfo_var); CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * L_16 = CultureInfo_get_InvariantCulture_mF13B47F8A763CE6A9C8A8BB2EED33FF8F7A63A72(/*hidden argument*/NULL); int32_t L_17 = TimeSpan_get_Hours_mE248B39F7E3E07DAD257713114E86A1A2C191A45((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); int32_t L_18 = L_17; RuntimeObject * L_19 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_18); int32_t L_20 = TimeSpan_get_Minutes_mCABF9EE7E7F78368DA0F825F5922C06238DD0F22((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset1), /*hidden argument*/NULL); int32_t L_21 = L_20; RuntimeObject * L_22 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_21); NullCheck(L_15); StringBuilder_AppendFormat_m6253057BEFDE3B0EDC63B8C725CD573486720D4C(L_15, L_16, _stringLiteral69C6FA8468D332A8338354A74CE92AA8DA8A642A, L_19, L_22, /*hidden argument*/NULL); return; } } // System.String System.DateTimeFormat::GetRealFormat(System.String,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0 (String_t* ___format0, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; Il2CppChar V_1 = 0x0; { V_0 = (String_t*)NULL; String_t* L_0 = ___format0; NullCheck(L_0); Il2CppChar L_1 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_0, 0, /*hidden argument*/NULL); V_1 = L_1; Il2CppChar L_2 = V_1; if ((!(((uint32_t)L_2) <= ((uint32_t)((int32_t)85))))) { goto IL_005a; } } { Il2CppChar L_3 = V_1; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_3, (int32_t)((int32_t)68)))) { case 0: { goto IL_00c9; } case 1: { goto IL_0159; } case 2: { goto IL_00ee; } case 3: { goto IL_0100; } } } { Il2CppChar L_4 = V_1; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_4, (int32_t)((int32_t)77)))) { case 0: { goto IL_0109; } case 1: { goto IL_0159; } case 2: { goto IL_0112; } case 3: { goto IL_0159; } case 4: { goto IL_0159; } case 5: { goto IL_011a; } case 6: { goto IL_0159; } case 7: { goto IL_0135; } case 8: { goto IL_0147; } } } { goto IL_0159; } IL_005a: { Il2CppChar L_5 = V_1; if ((((int32_t)L_5) == ((int32_t)((int32_t)89)))) { goto IL_0150; } } { Il2CppChar L_6 = V_1; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_6, (int32_t)((int32_t)100)))) { case 0: { goto IL_00bd; } case 1: { goto IL_0159; } case 2: { goto IL_00d5; } case 3: { goto IL_00f7; } } } { Il2CppChar L_7 = V_1; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)((int32_t)109)))) { case 0: { goto IL_0109; } case 1: { goto IL_0159; } case 2: { goto IL_0112; } case 3: { goto IL_0159; } case 4: { goto IL_0159; } case 5: { goto IL_011a; } case 6: { goto IL_0123; } case 7: { goto IL_012c; } case 8: { goto IL_013e; } case 9: { goto IL_0159; } case 10: { goto IL_0159; } case 11: { goto IL_0159; } case 12: { goto IL_0150; } } } { goto IL_0159; } IL_00bd: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_8 = ___dtfi1; NullCheck(L_8); String_t* L_9 = DateTimeFormatInfo_get_ShortDatePattern_m8CAB8ACB8B5C152FA767345BA59E8FE8C8B9A5FA(L_8, /*hidden argument*/NULL); V_0 = L_9; goto IL_0169; } IL_00c9: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_10 = ___dtfi1; NullCheck(L_10); String_t* L_11 = DateTimeFormatInfo_get_LongDatePattern_mB46C198F0A2ED40F705A73B83BF17592B1899FAB(L_10, /*hidden argument*/NULL); V_0 = L_11; goto IL_0169; } IL_00d5: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_12 = ___dtfi1; NullCheck(L_12); String_t* L_13 = DateTimeFormatInfo_get_LongDatePattern_mB46C198F0A2ED40F705A73B83BF17592B1899FAB(L_12, /*hidden argument*/NULL); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_14 = ___dtfi1; NullCheck(L_14); String_t* L_15 = DateTimeFormatInfo_get_ShortTimePattern_m2E9988522765F996BFB93BF34EA7673A3A484417(L_14, /*hidden argument*/NULL); String_t* L_16 = String_Concat_mF4626905368D6558695A823466A1AF65EADB9923(L_13, _stringLiteralB858CB282617FB0956D960215C8E84D1CCF909C6, L_15, /*hidden argument*/NULL); V_0 = L_16; goto IL_0169; } IL_00ee: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_17 = ___dtfi1; NullCheck(L_17); String_t* L_18 = DateTimeFormatInfo_get_FullDateTimePattern_mC8709BFB52E481105D6B4150293C2FBC0FEAA5B4(L_17, /*hidden argument*/NULL); V_0 = L_18; goto IL_0169; } IL_00f7: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_19 = ___dtfi1; NullCheck(L_19); String_t* L_20 = DateTimeFormatInfo_get_GeneralShortTimePattern_m6528409AA7B4B138D136F9F5C6C2CA16981EBAB8(L_19, /*hidden argument*/NULL); V_0 = L_20; goto IL_0169; } IL_0100: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_21 = ___dtfi1; NullCheck(L_21); String_t* L_22 = DateTimeFormatInfo_get_GeneralLongTimePattern_m4803CD35334AA775089F6E48DF03817B6068E130(L_21, /*hidden argument*/NULL); V_0 = L_22; goto IL_0169; } IL_0109: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_23 = ___dtfi1; NullCheck(L_23); String_t* L_24 = DateTimeFormatInfo_get_MonthDayPattern_mDDF41CCC5BBC4BA915AFAA0F973FCD5B2515B0F3(L_23, /*hidden argument*/NULL); V_0 = L_24; goto IL_0169; } IL_0112: { V_0 = _stringLiteralD7F5BC0BFDF8E081DB31E631E37B15C3881B1317; goto IL_0169; } IL_011a: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_25 = ___dtfi1; NullCheck(L_25); String_t* L_26 = DateTimeFormatInfo_get_RFC1123Pattern_m8216E79C7C862A9AE400D52FCF07EA0B0C9AD49E(L_25, /*hidden argument*/NULL); V_0 = L_26; goto IL_0169; } IL_0123: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_27 = ___dtfi1; NullCheck(L_27); String_t* L_28 = DateTimeFormatInfo_get_SortableDateTimePattern_mF3A3FA3102096383E0E18C01F7F7A5F50375EF1B(L_27, /*hidden argument*/NULL); V_0 = L_28; goto IL_0169; } IL_012c: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_29 = ___dtfi1; NullCheck(L_29); String_t* L_30 = DateTimeFormatInfo_get_ShortTimePattern_m2E9988522765F996BFB93BF34EA7673A3A484417(L_29, /*hidden argument*/NULL); V_0 = L_30; goto IL_0169; } IL_0135: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_31 = ___dtfi1; NullCheck(L_31); String_t* L_32 = DateTimeFormatInfo_get_LongTimePattern_m5304AFC0442E7F208D4D39392E3CE8C0B56F5266(L_31, /*hidden argument*/NULL); V_0 = L_32; goto IL_0169; } IL_013e: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_33 = ___dtfi1; NullCheck(L_33); String_t* L_34 = DateTimeFormatInfo_get_UniversalSortableDateTimePattern_m2322E2915D3E6EB5A61DDCA1F6F9CC07C61D4141(L_33, /*hidden argument*/NULL); V_0 = L_34; goto IL_0169; } IL_0147: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_35 = ___dtfi1; NullCheck(L_35); String_t* L_36 = DateTimeFormatInfo_get_FullDateTimePattern_mC8709BFB52E481105D6B4150293C2FBC0FEAA5B4(L_35, /*hidden argument*/NULL); V_0 = L_36; goto IL_0169; } IL_0150: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_37 = ___dtfi1; NullCheck(L_37); String_t* L_38 = DateTimeFormatInfo_get_YearMonthPattern_m58DC71FC083C4CBF5C2856140BEE5EC705AA5034(L_37, /*hidden argument*/NULL); V_0 = L_38; goto IL_0169; } IL_0159: { String_t* L_39 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_40 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_40, L_39, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_40, DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0_RuntimeMethod_var); } IL_0169: { String_t* L_41 = V_0; return L_41; } } // System.String System.DateTimeFormat::ExpandPredefinedFormat(System.String,System.DateTime&,System.Globalization.DateTimeFormatInfo&,System.TimeSpan&) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * ___dateTime1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * ___offset3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A_MetadataUsageId); s_Il2CppMethodInitialized = true; } Il2CppChar V_0 = 0x0; { String_t* L_0 = ___format0; NullCheck(L_0); Il2CppChar L_1 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_0, 0, /*hidden argument*/NULL); V_0 = L_1; Il2CppChar L_2 = V_0; if ((!(((uint32_t)L_2) <= ((uint32_t)((int32_t)82))))) { goto IL_001c; } } { Il2CppChar L_3 = V_0; if ((((int32_t)L_3) == ((int32_t)((int32_t)79)))) { goto IL_004e; } } { Il2CppChar L_4 = V_0; if ((((int32_t)L_4) == ((int32_t)((int32_t)82)))) { goto IL_005a; } } { goto IL_0160; } IL_001c: { Il2CppChar L_5 = V_0; if ((((int32_t)L_5) == ((int32_t)((int32_t)85)))) { goto IL_00fb; } } { Il2CppChar L_6 = V_0; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_6, (int32_t)((int32_t)111)))) { case 0: { goto IL_004e; } case 1: { goto IL_0160; } case 2: { goto IL_0160; } case 3: { goto IL_005a; } case 4: { goto IL_00a6; } case 5: { goto IL_0160; } case 6: { goto IL_00b2; } } } { goto IL_0160; } IL_004e: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_7 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_8 = DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC(/*hidden argument*/NULL); *((RuntimeObject **)L_7) = (RuntimeObject *)L_8; Il2CppCodeGenWriteBarrier((void**)(RuntimeObject **)L_7, (void*)(RuntimeObject *)L_8); goto IL_0160; } IL_005a: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * L_9 = ___offset3; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_10 = (*(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)L_9); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_11 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_12 = TimeSpan_op_Inequality_mEAE207F8B9A9B42CC33F4DE882E69E98C09065FC(L_10, L_11, /*hidden argument*/NULL); if (!L_12) { goto IL_0085; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_13 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_14 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_15 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_14); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * L_16 = ___offset3; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_17 = (*(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)L_16); IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_18 = DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B(L_15, L_17, /*hidden argument*/NULL); *(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_13 = L_18; goto IL_009a; } IL_0085: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_19 = ___dateTime1; int32_t L_20 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_19, /*hidden argument*/NULL); if ((!(((uint32_t)L_20) == ((uint32_t)2)))) { goto IL_009a; } } { String_t* L_21 = ___format0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_22 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_23 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_22); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_InvalidFormatForLocal_m9049D2389DBF1FCAD1AF3E98F2B462E17104053B(L_21, L_23, /*hidden argument*/NULL); } IL_009a: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_24 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_25 = DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC(/*hidden argument*/NULL); *((RuntimeObject **)L_24) = (RuntimeObject *)L_25; Il2CppCodeGenWriteBarrier((void**)(RuntimeObject **)L_24, (void*)(RuntimeObject *)L_25); goto IL_0160; } IL_00a6: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_26 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_27 = DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC(/*hidden argument*/NULL); *((RuntimeObject **)L_26) = (RuntimeObject *)L_27; Il2CppCodeGenWriteBarrier((void**)(RuntimeObject **)L_26, (void*)(RuntimeObject *)L_27); goto IL_0160; } IL_00b2: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * L_28 = ___offset3; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_29 = (*(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)L_28); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_30 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_31 = TimeSpan_op_Inequality_mEAE207F8B9A9B42CC33F4DE882E69E98C09065FC(L_29, L_30, /*hidden argument*/NULL); if (!L_31) { goto IL_00dd; } } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_32 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_33 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_34 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_33); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * L_35 = ___offset3; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_36 = (*(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)L_35); IL2CPP_RUNTIME_CLASS_INIT(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_il2cpp_TypeInfo_var); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_37 = DateTime_op_Subtraction_m679BBE02927C8538BBDD10A514E655568246830B(L_34, L_36, /*hidden argument*/NULL); *(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_32 = L_37; goto IL_00f2; } IL_00dd: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_38 = ___dateTime1; int32_t L_39 = DateTime_get_Kind_m44C21F0AB366194E0233E48B77B15EBB418892BE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_38, /*hidden argument*/NULL); if ((!(((uint32_t)L_39) == ((uint32_t)2)))) { goto IL_00f2; } } { String_t* L_40 = ___format0; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_41 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_42 = (*(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_41); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); DateTimeFormat_InvalidFormatForLocal_m9049D2389DBF1FCAD1AF3E98F2B462E17104053B(L_40, L_42, /*hidden argument*/NULL); } IL_00f2: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_43 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_44 = DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC(/*hidden argument*/NULL); *((RuntimeObject **)L_43) = (RuntimeObject *)L_44; Il2CppCodeGenWriteBarrier((void**)(RuntimeObject **)L_43, (void*)(RuntimeObject *)L_44); goto IL_0160; } IL_00fb: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * L_45 = ___offset3; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_46 = (*(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)L_45); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_47 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_48 = TimeSpan_op_Inequality_mEAE207F8B9A9B42CC33F4DE882E69E98C09065FC(L_46, L_47, /*hidden argument*/NULL); if (!L_48) { goto IL_011d; } } { String_t* L_49 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9(_stringLiteralD2F0257C42607F2773F4B8AAB0C017A3B8949322, /*hidden argument*/NULL); FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC * L_50 = (FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC *)il2cpp_codegen_object_new(FormatException_t2808E076CDE4650AF89F55FD78F49290D0EC5BDC_il2cpp_TypeInfo_var); FormatException__ctor_m89167FF9884AE20232190FE9286DC50E146A4F14(L_50, L_49, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_50, DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A_RuntimeMethod_var); } IL_011d: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_51 = ___dtfi2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_52 = ___dtfi2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_53 = *((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F **)L_52); NullCheck(L_53); RuntimeObject * L_54 = DateTimeFormatInfo_Clone_m72D6280296E849FF0BD23A282C1B5ECC81EAF6BA(L_53, /*hidden argument*/NULL); *((RuntimeObject **)L_51) = (RuntimeObject *)((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F *)CastclassSealed((RuntimeObject*)L_54, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var)); Il2CppCodeGenWriteBarrier((void**)(RuntimeObject **)L_51, (void*)(RuntimeObject *)((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F *)CastclassSealed((RuntimeObject*)L_54, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var))); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_55 = ___dtfi2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_56 = *((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F **)L_55); NullCheck(L_56); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_57 = DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline(L_56, /*hidden argument*/NULL); NullCheck(L_57); Type_t * L_58 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_57, /*hidden argument*/NULL); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_59 = { reinterpret_cast<intptr_t> (GregorianCalendar_tC611DFF7946345F7AF856B31987FEECB98DEE005_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_60 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6(L_59, /*hidden argument*/NULL); bool L_61 = Type_op_Inequality_m615014191FB05FD50F63A24EB9A6CCA785E7CEC9(L_58, L_60, /*hidden argument*/NULL); if (!L_61) { goto IL_0154; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_62 = ___dtfi2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_63 = *((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F **)L_62); IL2CPP_RUNTIME_CLASS_INIT(GregorianCalendar_tC611DFF7946345F7AF856B31987FEECB98DEE005_il2cpp_TypeInfo_var); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_64 = GregorianCalendar_GetDefaultInstance_m36338D53A3A355D00060E57621CFDD610C83D87A(/*hidden argument*/NULL); NullCheck(L_63); DateTimeFormatInfo_set_Calendar_m6388B63636828B8525557FA2976C965897E8BF3C(L_63, L_64, /*hidden argument*/NULL); } IL_0154: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_65 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * L_66 = ___dateTime1; DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_67 = DateTime_ToUniversalTime_mA8B74D947E186568C55D9C6F56D59F9A3C7775B1((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_66, /*hidden argument*/NULL); *(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)L_65 = L_67; } IL_0160: { String_t* L_68 = ___format0; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F ** L_69 = ___dtfi2; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_70 = *((DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F **)L_69); IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_71 = DateTimeFormat_GetRealFormat_mAAA9091BEC0C4473B1D7377152247CEFD2BC4ED0(L_68, L_70, /*hidden argument*/NULL); ___format0 = L_71; String_t* L_72 = ___format0; return L_72; } } // System.String System.DateTimeFormat::Format(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_Format_m3324809CE00998580E953F539E93153ADBB8447A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = ___dateTime0; String_t* L_1 = ___format1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_2 = ___dtfi2; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_3 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); String_t* L_4 = DateTimeFormat_Format_mA965A0AFBC1F2DA20C56B16652515CB08F515CFC(L_0, L_1, L_2, L_3, /*hidden argument*/NULL); return L_4; } } // System.String System.DateTimeFormat::Format(System.DateTime,System.String,System.Globalization.DateTimeFormatInfo,System.TimeSpan) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* DateTimeFormat_Format_mA965A0AFBC1F2DA20C56B16652515CB08F515CFC (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime0, String_t* ___format1, DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * ___dtfi2, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___offset3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat_Format_mA965A0AFBC1F2DA20C56B16652515CB08F515CFC_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t V_1 = 0; { String_t* L_0 = ___format1; if (!L_0) { goto IL_000e; } } { String_t* L_1 = ___format1; NullCheck(L_1); int32_t L_2 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_1, /*hidden argument*/NULL); if (L_2) { goto IL_0099; } } IL_000e: { V_0 = (bool)0; int64_t L_3 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), /*hidden argument*/NULL); if ((((int64_t)L_3) >= ((int64_t)((int64_t)864000000000LL)))) { goto IL_0063; } } { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_4 = ___dtfi2; NullCheck(L_4); Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_5 = DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline(L_4, /*hidden argument*/NULL); NullCheck(L_5); int32_t L_6 = VirtFuncInvoker0< int32_t >::Invoke(7 /* System.Int32 System.Globalization.Calendar::get_ID() */, L_5); V_1 = L_6; int32_t L_7 = V_1; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)3))) { case 0: { goto IL_005a; } case 1: { goto IL_005a; } case 2: { goto IL_0063; } case 3: { goto IL_005a; } case 4: { goto IL_0063; } case 5: { goto IL_005a; } } } { int32_t L_8 = V_1; if ((((int32_t)L_8) == ((int32_t)((int32_t)13)))) { goto IL_005a; } } { int32_t L_9 = V_1; if ((!(((uint32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)((int32_t)22)))) <= ((uint32_t)1)))) { goto IL_0063; } } IL_005a: { V_0 = (bool)1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F_il2cpp_TypeInfo_var); DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_10 = DateTimeFormatInfo_get_InvariantInfo_mF4896D7991425B6C5391BB86C11091A8B715CCDC(/*hidden argument*/NULL); ___dtfi2 = L_10; } IL_0063: { TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_11 = ___offset3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_12 = ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->get_NullOffset_0(); IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); bool L_13 = TimeSpan_op_Equality_mEA0A4B7FDCAFA54C636292F7EB76F9A16C44096D(L_11, L_12, /*hidden argument*/NULL); if (!L_13) { goto IL_0085; } } { bool L_14 = V_0; if (!L_14) { goto IL_007c; } } { ___format1 = _stringLiteralA0F1490A20D0211C997B44BC357E1972DEAB8AE3; goto IL_0099; } IL_007c: { ___format1 = _stringLiteralA36A6718F54524D846894FB04B5B885B4E43E63B; goto IL_0099; } IL_0085: { bool L_15 = V_0; if (!L_15) { goto IL_0091; } } { ___format1 = _stringLiteral53CE4A69C239125FEAFB3AAB705BEF29027E8CC9; goto IL_0099; } IL_0091: { DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_16 = ___dtfi2; NullCheck(L_16); String_t* L_17 = DateTimeFormatInfo_get_DateTimeOffsetPattern_mF5E6E8E53ED7C8B1262F04DCC2AC8E951FDF2060(L_16, /*hidden argument*/NULL); ___format1 = L_17; } IL_0099: { String_t* L_18 = ___format1; NullCheck(L_18); int32_t L_19 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline(L_18, /*hidden argument*/NULL); if ((!(((uint32_t)L_19) == ((uint32_t)1)))) { goto IL_00b0; } } { String_t* L_20 = ___format1; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_21 = DateTimeFormat_ExpandPredefinedFormat_m61BDA6D452DFDB96A8CB7369474886DE29C5395A(L_20, (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&___dateTime0), (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F **)(&___dtfi2), (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&___offset3), /*hidden argument*/NULL); ___format1 = L_21; } IL_00b0: { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_22 = ___dateTime0; String_t* L_23 = ___format1; DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * L_24 = ___dtfi2; TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_25 = ___offset3; IL2CPP_RUNTIME_CLASS_INIT(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var); String_t* L_26 = DateTimeFormat_FormatCustomized_mB01ABBA7E73E58981F9742722B2CD39DDBBCA619(L_22, L_23, L_24, L_25, /*hidden argument*/NULL); return L_26; } } // System.Void System.DateTimeFormat::InvalidFormatForLocal(System.String,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_InvalidFormatForLocal_m9049D2389DBF1FCAD1AF3E98F2B462E17104053B (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime1, const RuntimeMethod* method) { { return; } } // System.Void System.DateTimeFormat::InvalidFormatForUtc(System.String,System.DateTime) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat_InvalidFormatForUtc_m0E9CACD473EA60B086EAD03C09488869673E109D (String_t* ___format0, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___dateTime1, const RuntimeMethod* method) { { return; } } // System.Void System.DateTimeFormat::.cctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void DateTimeFormat__cctor_m767ECD160CF93F838EF10AF7C197BF3002A39D34 (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (DateTimeFormat__cctor_m767ECD160CF93F838EF10AF7C197BF3002A39D34_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var); TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_0 = ((TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields*)il2cpp_codegen_static_fields_for(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_il2cpp_TypeInfo_var))->get_MinValue_2(); ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->set_NullOffset_0(L_0); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_1 = (CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)SZArrayNew(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2_il2cpp_TypeInfo_var, (uint32_t)((int32_t)19)); CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_2 = L_1; RuntimeFieldHandle_t844BDF00E8E6FE69D9AEAA7657F09018B864F4EF L_3 = { reinterpret_cast<intptr_t> (U3CPrivateImplementationDetailsU3E_t5BA0C21499B7A4F7CBCB87805E61EF52DF22771A____375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_24_FieldInfo_var) }; RuntimeHelpers_InitializeArray_m29F50CDFEEE0AB868200291366253DD4737BC76A((RuntimeArray *)(RuntimeArray *)L_2, L_3, /*hidden argument*/NULL); ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->set_allStandardFormats_1(L_2); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_4 = (StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E*)(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E*)SZArrayNew(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E_il2cpp_TypeInfo_var, (uint32_t)7); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_5 = L_4; NullCheck(L_5); ArrayElementTypeCheck (L_5, _stringLiteralB6589FC6AB0DC82CF12099D1C2D40AB994E8410C); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(0), (String_t*)_stringLiteralB6589FC6AB0DC82CF12099D1C2D40AB994E8410C); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_6 = L_5; NullCheck(L_6); ArrayElementTypeCheck (L_6, _stringLiteralFB96549631C835EB239CD614CC6B5CB7D295121A); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (String_t*)_stringLiteralFB96549631C835EB239CD614CC6B5CB7D295121A); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_7 = L_6; NullCheck(L_7); ArrayElementTypeCheck (L_7, _stringLiteral8AEFB06C426E07A0A671A1E2488B4858D694A730); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(2), (String_t*)_stringLiteral8AEFB06C426E07A0A671A1E2488B4858D694A730); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_8 = L_7; NullCheck(L_8); ArrayElementTypeCheck (L_8, _stringLiteral39DFA55283318D31AFE5A3FF4A0E3253E2045E43); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(3), (String_t*)_stringLiteral39DFA55283318D31AFE5A3FF4A0E3253E2045E43); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_9 = L_8; NullCheck(L_9); ArrayElementTypeCheck (L_9, _stringLiteral6934105AD50010B814C933314B1DA6841431BC8B); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(4), (String_t*)_stringLiteral6934105AD50010B814C933314B1DA6841431BC8B); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_10 = L_9; NullCheck(L_10); ArrayElementTypeCheck (L_10, _stringLiteralC984AED014AEC7623A54F0591DA07A85FD4B762D); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(5), (String_t*)_stringLiteralC984AED014AEC7623A54F0591DA07A85FD4B762D); StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_11 = L_10; NullCheck(L_11); ArrayElementTypeCheck (L_11, _stringLiteral4E079D0555E5A2B460969C789D3AD968A795921F); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(6), (String_t*)_stringLiteral4E079D0555E5A2B460969C789D3AD968A795921F); ((DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_StaticFields*)il2cpp_codegen_static_fields_for(DateTimeFormat_t3C1DB338DFB9FCD0D11332F29E5FD9DD79FEE6C8_il2cpp_TypeInfo_var))->set_fixedNumberFormats_2(L_11); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t ListDictionaryInternal_get_Count_m671A61D7E3D45284ED6F24657DCA0E7BAE22F1B7_inline (ListDictionaryInternal_tCA32A08A78BFAF09127BC18DE7CBB3596C1CDFBC * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get_count_2(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR bool ConsoleCancelEventArgs_get_Cancel_mA996E8B7FE802D9A15208AFF397481646751A46F_inline (ConsoleCancelEventArgs_t2B351DE0A5B10D5CA5E93A7AE36C16DB17D73760 * __this, const RuntimeMethod* method) { { bool L_0 = __this->get__cancel_2(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Il2CppChar ConsoleKeyInfo_get_KeyChar_m6B17C3F0DF650E04D7C0C081E063AE31E8C14509_inline (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method) { { Il2CppChar L_0 = __this->get__keyChar_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t ConsoleKeyInfo_get_Key_m36CD740D4C51FB4F4277AC7E6CD24D79DF5C8AC5_inline (ConsoleKeyInfo_t5BE3CE05E8258CDB5404256E96AF7C22BC5DE768 * __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get__key_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018_inline (String_t* __this, const RuntimeMethod* method) { { int32_t L_0 = __this->get_m_stringLength_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR void DateTime__ctor_m93DC89CED5AEEF1BFE4F5C194F2E36CB2C7F043E_inline (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, uint64_t ___dateData0, const RuntimeMethod* method) { { uint64_t L_0 = ___dateData0; __this->set_dateData_44(L_0); return; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int64_t TimeSpan_get_Ticks_m829C28C42028CDBFC9E338962DC7B6B10C8FFBE7_inline (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, const RuntimeMethod* method) { { int64_t L_0 = __this->get__ticks_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int64_t DateTime_ToBinaryRaw_m337980211329E7231056A835F8EB1179A55E927E_inline (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method) { { uint64_t L_0 = __this->get_dateData_44(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR void TimeSpan__ctor_mEB013EB288370617E8D465D75BE383C4058DB5A5_inline (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * __this, int64_t ___ticks0, const RuntimeMethod* method) { { int64_t L_0 = ___ticks0; __this->set__ticks_3(L_0); return; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * DateTimeFormatInfo_get_Calendar_mFC8C8E19E118F8EE304B8C359E57EFD25EE2F862_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method) { { Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5 * L_0 = __this->get_calendar_17(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_AMDesignator_m3F6101B15CF9711362B92B7827F29BC8589EEC13_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method) { { String_t* L_0 = __this->get_amDesignator_6(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_PMDesignator_m9B249FB528D588F5B6AEFA088CEF342DEDF8594D_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method) { { String_t* L_0 = __this->get_pmDesignator_7(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_TimeSeparator_m9D230E9D88CE3E2EBA24365775D2B4B2D5621C58_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method) { { String_t* L_0 = __this->get_timeSeparator_11(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR String_t* DateTimeFormatInfo_get_DateSeparator_m68C0C4E4320F22BAA7B6E6EFF7DD7349541D509C_inline (DateTimeFormatInfo_tF4BB3AA482C2F772D2A9022F78BF8727830FAF5F * __this, const RuntimeMethod* method) { { String_t* L_0 = __this->get_dateSeparator_8(); return L_0; } }
[ "2511146542@qq.com" ]
2511146542@qq.com
646b255810460a052ab517ba1538496bfaedd34e
e328fb17389730924e9b83006a988a94678d496e
/Supplier_Task.h
220a2b3cbbc200d192ccf31eb255652decec5526
[]
no_license
MuxauJL/Supplier_Task
01caa928c4920a6acbbd3ed834bbf830af53bab9
d7d7f238ea4386898ca841dcaa9bbc1fe6d85345
refs/heads/master
2020-09-05T21:08:18.376439
2019-11-22T20:54:40
2019-11-22T20:54:40
220,214,887
0
0
null
null
null
null
UTF-8
C++
false
false
885
h
#pragma once #include <vector> #include <set> #include "Ford_Fulkerson.h" class Supplier_Task { protected: short int n, m, T; int U; std::vector<short int> a; std::vector<std::vector<short int>> b; std::vector<std::vector<short int>> C; std::vector<std::set<short int>> D; Ford_Fulkerson solver; std::vector<Transport_Network_Node*> suppliersTotal; std::vector<Transport_Network_Node*> suppliersPartial; std::vector<Transport_Network_Node*> consumersPartial; Transport_Network_Node* source; Transport_Network_Node* stock; virtual void createTransportNetwork(); virtual void refreshNetwork(); public: Supplier_Task(short int n, short int m, short int T, const std::vector<short int>& a, const std::vector<std::vector<short int>>& b, const std::vector<std::vector<short int>>& C, const std::vector<std::set<short int>>& D); ~Supplier_Task(); virtual int solve(); };
[ "viryasov.mikhail@gmail.com" ]
viryasov.mikhail@gmail.com