blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 3 264 | content_id stringlengths 40 40 | detected_licenses listlengths 0 85 | license_type stringclasses 2
values | repo_name stringlengths 5 140 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 905
values | visit_date timestamp[us]date 2015-08-09 11:21:18 2023-09-06 10:45:07 | revision_date timestamp[us]date 1997-09-14 05:04:47 2023-09-17 19:19:19 | committer_date timestamp[us]date 1997-09-14 05:04:47 2023-09-06 06:22:19 | github_id int64 3.89k 681M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 22
values | gha_event_created_at timestamp[us]date 2012-06-07 00:51:45 2023-09-14 21:58:39 ⌀ | gha_created_at timestamp[us]date 2008-03-27 23:40:48 2023-08-21 23:17:38 ⌀ | gha_language stringclasses 141
values | src_encoding stringclasses 34
values | language stringclasses 1
value | is_vendor bool 1
class | is_generated bool 2
classes | length_bytes int64 3 10.4M | extension stringclasses 115
values | content stringlengths 3 10.4M | authors listlengths 1 1 | author_id stringlengths 0 158 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
99d0752b2f81d636d6be4dad2c15dc96c2081549 | 92b8afe998694eed49ba40d5edaec34f7ae5113b | /actorbase.cpp | c63acc40f9eeb2fe69f5fbf62532bc7dbd66f772 | [] | no_license | ZeosBios/web-server | 7ce7949deef182394e2c710b92ba6eeecd2c4412 | ef65161323e8167018015e4b39f73d4f36045bcb | refs/heads/master | 2020-04-20T15:12:12.003799 | 2019-02-07T02:54:38 | 2019-02-07T02:54:38 | 168,921,886 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 733 | cpp | #include "actorbase.h"
#include <string.h>
actorbase::actorbase(int sockdf)
: halt_flag(false)
, m_message_queue()
, m_sockdf(sockdf)
{}
actorbase::~actorbase() = default;
void actorbase::entry(char * msg)
{
std::lock_guard<std::mutex> lock(m_mtx);
if (halt_flag) return;
m_message_queue.push(msg);
}
void actorbase::receive()
{
char * msg;
{
std::lock_guard<std::mutex> lock(m_mtx);
if (halt_flag)
return;
if (m_message_queue.empty())
return;
msg = m_message_queue.front();
m_message_queue.pop();
}
process_message(msg);
}
void actorbase::to_halt()
{
std::lock_guard<std::mutex> lock(m_mtx);
halt_flag = true;
}
| [
"zinowjewsergey@yandex.ru"
] | zinowjewsergey@yandex.ru |
a87201d73c631e3675cc77975ca384afc7abbc0f | cc5a8057bf2e274ed1de92c2b74dfc27d543962a | /rotary2/pid.ino | 6c482cd5de99c8d49138417bba1699d15b31e67e | [] | no_license | eatoin5hrdlu/PACE | 015b8b6a949f22591c230a285b9e21c16b0279f6 | e5283f6b10d1d5d467f9c7c5d2c41977dd512f25 | refs/heads/master | 2020-06-12T17:37:36.202719 | 2017-06-26T14:49:36 | 2017-06-26T14:49:36 | 9,016,161 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 6,915 | ino | /**********************************************************************************************
* Arduino PID Library - Version 1.0.1
* by Brett Beauregard <br3ttb@gmail.com> brettbeauregard.com
*
* This Library is licensed under a GPLv3 License
**********************************************************************************************/
#if ARDUINO >= 100
#include "Arduino.h"
#else
#include "WProgram.h"
#endif
#include "pid.h"
/*Constructor (...)*********************************************************
* The parameters specified here are those for for which we can't set up
* reliable defaults, so we need to have the user set them.
***************************************************************************/
PID::PID(double* Input, double* Output, double* Setpoint,
double Kp, double Ki, double Kd, int ControllerDirection)
{
myOutput = Output;
myInput = Input;
mySetpoint = Setpoint;
inAuto = false;
PID::SetOutputLimits(0, 255); //default output limit corresponds to
//the arduino pwm limits
SampleTime = 100; //default Controller Sample Time is 0.1 seconds
PID::SetControllerDirection(ControllerDirection);
PID::SetTunings(Kp, Ki, Kd);
lastTime = millis()-SampleTime;
}
/* Compute() **********************************************************************
* This, as they say, is where the magic happens. this function should be called
* every time "void loop()" executes. the function will decide for itself whether a new
* pid Output needs to be computed. returns true when the output is computed,
* false when nothing has been done.
**********************************************************************************/
bool PID::Compute()
{
if(!inAuto) return false;
unsigned long now = millis();
unsigned long timeChange = (now - lastTime);
if(timeChange>=SampleTime)
{
/*Compute all the working error variables*/
double input = *myInput;
double error = *mySetpoint - input;
ITerm+= (ki * error);
if(ITerm > outMax) ITerm= outMax;
else if(ITerm < outMin) ITerm= outMin;
double dInput = (input - lastInput);
/*Compute PID Output*/
double output = kp * error + ITerm- kd * dInput;
if(output > outMax) output = outMax;
else if(output < outMin) output = outMin;
*myOutput = output;
/*Remember some variables for next time*/
lastInput = input;
lastTime = now;
return true;
}
else return false;
}
/* SetTunings(...)*************************************************************
* This function allows the controller's dynamic performance to be adjusted.
* it's called automatically from the constructor, but tunings can also
* be adjusted on the fly during normal operation
******************************************************************************/
void PID::SetTunings(double Kp, double Ki, double Kd)
{
if (Kp<0 || Ki<0 || Kd<0) return;
dispKp = Kp; dispKi = Ki; dispKd = Kd;
double SampleTimeInSec = ((double)SampleTime)/1000;
kp = Kp;
ki = Ki * SampleTimeInSec;
kd = Kd / SampleTimeInSec;
if(controllerDirection ==REVERSE)
{
kp = (0 - kp);
ki = (0 - ki);
kd = (0 - kd);
}
}
/* SetSampleTime(...) *********************************************************
* sets the period, in Milliseconds, at which the calculation is performed
******************************************************************************/
void PID::SetSampleTime(int NewSampleTime)
{
if (NewSampleTime > 0)
{
double ratio = (double)NewSampleTime
/ (double)SampleTime;
ki *= ratio;
kd /= ratio;
SampleTime = (unsigned long)NewSampleTime;
}
}
/* SetOutputLimits(...)****************************************************
* This function will be used far more often than SetInputLimits. while
* the input to the controller will generally be in the 0-1023 range (which is
* the default already,) the output will be a little different. maybe they'll
* be doing a time window and will need 0-8000 or something. or maybe they'll
* want to clamp it from 0-125. who knows. at any rate, that can all be done
* here.
**************************************************************************/
void PID::SetOutputLimits(double Min, double Max)
{
if(Min >= Max) return;
outMin = Min;
outMax = Max;
if(inAuto)
{
if(*myOutput > outMax) *myOutput = outMax;
else if(*myOutput < outMin) *myOutput = outMin;
if(ITerm > outMax) ITerm= outMax;
else if(ITerm < outMin) ITerm= outMin;
}
}
/* SetMode(...)****************************************************************
* Allows the controller Mode to be set to manual (0) or Automatic (non-zero)
* when the transition from manual to auto occurs, the controller is
* automatically initialized
******************************************************************************/
void PID::SetMode(int Mode)
{
bool newAuto = (Mode == AUTOMATIC);
if(newAuto == !inAuto)
{ /*we just went from manual to auto*/
PID::Initialize();
}
inAuto = newAuto;
}
/* Initialize()****************************************************************
* does all the things that need to happen to ensure a bumpless transfer
* from manual to automatic mode.
******************************************************************************/
void PID::Initialize()
{
ITerm = *myOutput;
lastInput = *myInput;
if(ITerm > outMax) ITerm = outMax;
else if(ITerm < outMin) ITerm = outMin;
}
/* SetControllerDirection(...)*************************************************
* The PID will either be connected to a DIRECT acting process (+Output leads
* to +Input) or a REVERSE acting process(+Output leads to -Input.) we need to
* know which one, because otherwise we may increase the output when we should
* be decreasing. This is called from the constructor.
******************************************************************************/
void PID::SetControllerDirection(int Direction)
{
if(inAuto && Direction !=controllerDirection)
{
kp = (0 - kp);
ki = (0 - ki);
kd = (0 - kd);
}
controllerDirection = Direction;
}
/* Status Funcions*************************************************************
* Just because you set the Kp=-1 doesn't mean it actually happened. these
* functions query the internal state of the PID. they're here for display
* purposes. this are the functions the PID Front-end uses for example
******************************************************************************/
double PID::GetKp(){ return dispKp; }
double PID::GetKi(){ return dispKi;}
double PID::GetKd(){ return dispKd;}
int PID::GetMode(){ return inAuto ? AUTOMATIC : MANUAL;}
int PID::GetDirection(){ return controllerDirection;}
| [
"peter.reintjes@ncmls.org"
] | peter.reintjes@ncmls.org |
580deed951268e50fc94aeb5ebf4e8425a8c925d | 09af9ed10b43d86bbda1869782523dec6bc6e8f7 | /fraction/main.cpp | 15bc8301f4667b76f28c29048a1dbfb24ac96ab4 | [] | no_license | VALIKKKKK/cpp | ef49b462f44e9a1dcaf8903c638e7295f5f5e200 | a7a1f4d75abcb5ce7c1b9adeca78d48609dcecc6 | refs/heads/master | 2020-04-26T11:00:36.714403 | 2019-04-07T19:31:07 | 2019-04-07T19:31:07 | 173,502,354 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 244 | cpp | #include <iostream>
#include "fraction.h"
#include "algorithm"
using namespace std;
int main()
{
Fraction a(3,8);
Fraction b(4,8);
Fraction c;
c = a+b;
std::cout << c.m_num << "/" << c.m_denum << std::endl;
return 0;
}
| [
"kashko2001v@mail.ru"
] | kashko2001v@mail.ru |
6e10433f15d216f8ab0891d249505ba5a6252d9e | 2e46ef9411a8e84074d35338240a69f65b7a6a5d | /include/tdp/inertial/imu_factory.h | 931cc140a8777d88d7beb2073346ea1531e205b4 | [
"MIT-feh"
] | permissive | zebrajack/tdp | c0deff77120e20f0daf32add31cbcebe480fb37d | dcab53662be5b88db1538cf831707b07ab96e387 | refs/heads/master | 2021-07-08T12:10:09.626146 | 2017-09-11T19:25:42 | 2017-09-11T19:25:42 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,108 | h | /* Copyright (c) 2016, Julian Straub <jstraub@csail.mit.edu> Licensed
* under the MIT license. See the license file LICENSE.
*/
#pragma once
#include <string>
#include <iostream>
#include <pangolin/utils/uri.h>
#include <pangolin/utils/file_utils.h>
#include <tdp/inertial/imu_interface.h>
#ifdef ASIO_FOUND
# include <tdp/drivers/inertial/3dmgx3_45.h>
#endif
#include <tdp/drivers/inertial/imu_pango.h>
namespace tdp {
ImuInterface* OpenImu(const std::string& uri_str) {
ImuInterface* imu = nullptr;
const pangolin::Uri uri = pangolin::ParseUri(uri_str);
if (!uri.scheme.compare("file")) {
const bool realtime = uri.Get<bool>("realtime",true);
const std::string path = pangolin::PathExpand(uri.url);
imu = new ImuPango(path, realtime);
}
#ifdef ASIO_FOUND
else if (!uri.scheme.compare("3dmgx3")) {
const std::string port = uri.Get<std::string>("port","/dev/ttyACM0");
const int rate = uri.Get<int>("rate",10);
imu = new Imu3DMGX3_45(port, rate);
}
#endif
else {
std::cerr << "IMU uri not recognized: " << uri.scheme << std::endl;
}
return imu;
}
}
| [
"jstraub@csail.mit.edu"
] | jstraub@csail.mit.edu |
5e3e10eee73db6d026591b908b5eec53cbb6c43d | 35abdfb049c2c2c763713e05f4ad242d02fabd32 | /libs/libPW/SURE/CustomSureProcess.h | 0c326b8b3809149103b7a470a6b28ee43cb04d8c | [] | no_license | zhanshenman/GRAPHOS | a4d4e80bf1434ac268e6874a467e90e9b52c1982 | 44663fd2d02da679333566ef36b40a283a96fac4 | refs/heads/master | 2021-01-25T14:04:51.585435 | 2018-02-12T10:23:25 | 2018-02-12T10:23:25 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,478 | h | /**
*-------------------------------------------------
* Copyright 2016 by Tidop Research Group <daguilera@usal.se>
*
* This file is part of GRAPHOS - inteGRAted PHOtogrammetric Suite.
*
* GRAPHOS - inteGRAted PHOtogrammetric Suite is free software: you can redistribute
* it and/or modify it under the terms of the GNU General Public
* License as published by the Free Software Foundation, either
* version 3 of the License, or (at your option) any later version.
*
* GRAPHOS - inteGRAted PHOtogrammetric Suite is distributed in the hope that it will
* be useful, but WITHOUT ANY WARRANTY; without even the implied warranty
* of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Foobar. If not, see <http://www.gnu.org/licenses/>.
*
* @license GPL-3.0+ <http://spdx.org/licenses/GPL-3.0+>
*-------------------------------------------------
*/
#ifndef CUSTOMSUREPROCESS_H
#define CUSTOMSUREPROCESS_H
#include "MultiProcess.h"
#include "Project.h"
namespace PW {
class LIBPWSHARED_EXPORT CustomSureProcess : public MultiProcess
{
public:
CustomSureProcess(Project *project, int pyr,int fold, int maxModels,bool useGPU=false);
~CustomSureProcess();
private:
Project *mProject;
int mPyr;
int mFold;
int mMaxModels;
bool mUseGPU;
};
}
#endif // CUSTOMSUREPROCESS_H
| [
"dguerrero@usal.es"
] | dguerrero@usal.es |
b490a2e7932aa7625eb0739cdf7ffd74747ed0d4 | 3114d7af0f96faf81218f6c38068967c26ea1884 | /semesterIII/OOP/Exp8.cpp | becb892627e6bfefe9a7355fa2c36ae8f2483bd0 | [
"MIT"
] | permissive | ShreerajRaul/ghriet | 9c7769f765993af4214b2eadcfa1a9285a5754a1 | 4ff8372ced0c871f019a61b735c60725b6d373d4 | refs/heads/main | 2023-03-27T10:45:52.437348 | 2021-03-26T19:45:05 | 2021-03-26T19:45:05 | 351,061,919 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,973 | cpp | #include<iostream>
#include<string>
#include<cstring>
using namespace std;
class person
{
private:
char name[40],dob[15],bdg[15];
int h,w;
public:
static int count;
friend class personal;
person()
{
char * name=new char[40];
char *dob=new char[80];
char *bdg=new char[15];
h=w=0;
}
static void recordcount()
{
cout<<"\n Total no of records :"<<count;
}
};
class personal
{
private:
char add[70],telephone[15],policy_no[10];
public:
personal()
{
strcpy(add,"");
strcpy(telephone,"");
strcpy(policy_no,"");
}
void getdata(person *obj);
void displaydata(person *obj);
friend class person;
};
int person::count=0;
void personal::getdata(person *obj)
{
cout<<"\n Enter Name of Person=";
cin>>obj->name;
cout<<"\n Enter date of birth of person=";
cin>>obj->dob;
cout<<"\n Enter blood group of person=";
cin>>obj->bdg;
cout<<"\n Enter height and weigth of person=";
cin>>obj->h>>obj->w;
cout<<"\n Enter Contact no of person=";
cin>>this->telephone;
cout<<"\n Enter addreass of person=";
cin>>this->add;
cout<<"\n Enter the insurance policy no=";
cin>>this->policy_no;
obj->count++;
}
void personal::displaydata(person *obj)
{
cout<<obj->name<<"\t"<<obj->dob<<"\t\t"<<obj->bdg<<"\t"<<obj->h<<"\t\t"<<obj->w<<"\t"<<this->telephone<<"\t"<<this->policy_no<<"\t"<<this->add;
}
int main()
{
personal *p1[30];
person *p2[30];
int n=0,ch,i;
do
{
cout<<"\n Menu";
cout<<"\n 1.Information of Person \n 2.Display Information \n 3.Exit";
cout<<"\n Enter your choice";
cin>>ch;
switch(ch)
{
case 1:
cout<<"\n Enter The Information";
cout<<"\n";
p1[n]=new personal;
p2[n]=new person;
p1[n]->getdata(p2[n]);
n++;
person::recordcount();
break;
case 2:
cout<<"\n";
cout<<"\n***********************\n";
cout<<"NAME"<<"\t"<<"DATE OF BIRTH"<<"\t"<<"BLOOD GROUP"<<"\t"<<"HEIGHT"<<"\t"<<"WEIGHT"<<"\t"<<"TELEPHONE NO"<<"\t"<<"INSU.POLICYNO"<<"\t"<<"ADDRESS \n";
cout<<"\n";
for(i=0;i<n;i++)
{
p1[i]->displaydata(p2[i]);
}
person::recordcount();
break;
}
}while(ch!=4);
return 0;
}
| [
"79018054+ShreerajRaul@users.noreply.github.com"
] | 79018054+ShreerajRaul@users.noreply.github.com |
b119ecf65139a9a4356a37e81981a3044f88f222 | 304ea2162378f3d7bbdb5a95898bf6a4fdbbb9e3 | /athena/core/x86/Common/include/route/LocalGeographicCS.hpp | 7d724bd55ea555f7b25779b6357ef487c5ec39fb | [] | no_license | Tubbxl/Athena_Src | 5ad65686fd9fe5baed0dbda19f31c536f33e253d | 53d2c0a4829b6eff0443546da37a6461166cb6c7 | refs/heads/master | 2022-01-29T23:58:42.551053 | 2018-12-04T09:56:01 | 2018-12-04T09:56:01 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,940 | hpp | // File: LocalGeographicCS.hpp
// Creation Date: Tuesday, March 6 2012
// Author: Julius Ziegler <ziegler@mrt.uka.de>
#if !defined(LOCALGEOGRAPHICCS_HPP)
#define LOCALGEOGRAPHICCS_HPP
#include "convert_coordinates.hpp"
#include <utility>
struct LocalGeographicCS
{
LocalGeographicCS();
LocalGeographicCS( double lat0, double lon0 );
void set_origin( double lat0, double lon0 );
void ll2xy( double lat, double lon, double& x, double& y ) const;
void xy2ll( double x, double y, double& lat, double& lon ) const;
std::pair<double, double> ll2xy( double lat, double lon ) const;
std::pair<double, double> xy2ll( double x, double y ) const;
// operate on containers
template<class ItIn, class ItOut>
void ll2xy( const ItIn& lat_begin, const ItIn& lat_end, const ItIn& lon_begin, const ItOut& x_begin, const ItOut& y_begin ) const;
template<class ItIn, class ItOut>
void xy2ll( const ItIn& x_begin, const ItIn& x_end, const ItIn& y_begin, const ItOut& lat_begin, const ItOut& lon_begin ) const;
private:
double _scale;
double _x0, _y0;
};
inline LocalGeographicCS::LocalGeographicCS( double lat0, double lon0 )
{
set_origin( lat0, lon0 );
}
inline LocalGeographicCS::LocalGeographicCS()
{}
inline void LocalGeographicCS::set_origin( double lat0, double lon0 )
{
_scale = convert_coordinates::lat_to_scale( lat0 );
convert_coordinates::latlon_to_mercator( lat0, lon0, _scale, _x0, _y0 );
}
inline void LocalGeographicCS::ll2xy( double lat, double lon, double& x, double& y ) const
{
convert_coordinates::latlon_to_mercator( lat, lon, _scale, x, y );
x -= _x0;
y -= _y0;
}
inline std::pair<double, double> LocalGeographicCS::ll2xy( double lat, double lon ) const
{
double x, y;
ll2xy( lat, lon, x, y );
return std::make_pair( x, y );
}
inline void LocalGeographicCS::xy2ll( double x, double y, double& lat, double& lon ) const
{
x += _x0;
y += _y0;
convert_coordinates::mercator_to_latlon( x, y, _scale, lat, lon );
}
inline std::pair<double, double> LocalGeographicCS::xy2ll( double x, double y ) const
{
double lat, lon;
xy2ll( x, y, lat, lon );
return std::make_pair( lat, lon );
}
// operate on containers
template<class ItIn, class ItOut>
void LocalGeographicCS::ll2xy( const ItIn& lat_begin, const ItIn& lat_end, const ItIn& lon_begin, const ItOut& x_begin, const ItOut& y_begin ) const
{
ItIn lat = lat_begin;
ItIn lon = lon_begin;
ItOut x = x_begin;
ItOut y = y_begin;
for( ; lat != lat_end; lat++, lon++, x++, y++ )
{
ll2xy( *lat, *lon, *x, *y );
}
}
template<class ItIn, class ItOut>
void LocalGeographicCS::xy2ll( const ItIn& x_begin, const ItIn& x_end, const ItIn& y_begin, const ItOut& lat_begin, const ItOut& lon_begin ) const
{
ItIn x = x_begin;
ItIn y = y_begin;
ItOut lat = lat_begin;
ItOut lon = lon_begin;
for( ; x != x_end; lat++, lon++, x++, y++ )
xy2ll( *x, *y, *lat, *lon );
}
#endif
| [
"297285508@qq.com"
] | 297285508@qq.com |
a5fec85d4fae40558cae086776ed2b200bffa1af | 5988ea61f0a5b61fef8550601b983b46beba9c5d | /3rd/ACE-5.7.0/ACE_wrappers/examples/APG/Logging/Use_Stderr.cpp | bb9008321bbcc2230f7981576665bacf4c35f319 | [
"MIT"
] | permissive | binghuo365/BaseLab | e2fd1278ee149d8819b29feaa97240dec7c8b293 | 2b7720f6173672efd9178e45c3c5a9283257732a | refs/heads/master | 2016-09-15T07:50:48.426709 | 2016-05-04T09:46:51 | 2016-05-04T09:46:51 | 38,291,364 | 1 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 846 | cpp | // $Id: Use_Stderr.cpp 80826 2008-03-04 14:51:23Z wotte $
#include "ace/Log_Msg.h"
void foo (void);
// Listing 1 code/ch03
int ACE_TMAIN (int, ACE_TCHAR *argv[])
{
// open() requires the name of the application
// (e.g. -- argv[0]) because the underlying
// implementation may use it in the log output.
ACE_LOG_MSG->open (argv[0], ACE_Log_Msg::STDERR);
// Listing 1
/* Alternatively, you can use the set_flags() method to do the same
thing after the singleton has been created:
*/
ACE_TRACE ("main");
// Listing 2 code/ch03
ACE_DEBUG ((LM_DEBUG, ACE_TEXT ("%IHi Mom\n")));
ACE_LOG_MSG->set_flags (ACE_Log_Msg::STDERR);
foo ();
// Listing 2
ACE_DEBUG ((LM_INFO, ACE_TEXT ("%IGoodnight\n")));
return 0;
}
void foo (void)
{
ACE_TRACE ("foo");
ACE_DEBUG ((LM_INFO, ACE_TEXT ("%IHowdy Pardner\n")));
}
| [
"binghuo365@hotmail.com"
] | binghuo365@hotmail.com |
ed22cc45d867b58537b8c837bde4a984c96b7c7e | bb6616a61e10117893e55c491bc9fbc907f91631 | /TowerOfHanoi/TowerOfHanoi/Drawer.cpp | c7605010d5b339085feecc6d61f4a1963fce2832 | [] | no_license | sep-inc/campus_202009_nakamoto | 395b34ccae2a60f3a3694d61135cda6ebf74e5b8 | 1b5f60b8f2343649660a5e5f37066b172d14723b | refs/heads/master | 2023-01-08T03:50:02.783079 | 2020-11-07T16:02:00 | 2020-11-07T16:02:00 | 292,439,932 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,154 | cpp | #include "Drawer.h"
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
/*=============================================*/
/* 引数resouce_をバッファに書き込む関数 */
/* */
/* 文字列が格納され出力されるので改行コードも */
/* 含め渡す必要がある */
/*=============================================*/
void Drawer::SetDrawBuffer(const char* resouce_)
{
// バッファにコピーする
strcpy_s(m_DrawBuffer, resouce_);
}
/****************************************/
/* バッファをクリアする関数 */
/****************************************/
void Drawer::ClearBuffer()
{
// コマンドラインに出力されている文字を消す
system("cls");
// バッファをリセットする
memset(m_DrawBuffer, '0', sizeof(m_DrawBuffer));
}
/****************************************/
/* バッファを描画する関数 */
/****************************************/
void Drawer::DrawBuffer()
{
// バッファに格納している文字列を出力する
printf("%s", m_DrawBuffer);
}
| [
"obrsk23@yahoo.co.jp"
] | obrsk23@yahoo.co.jp |
df451dbf5725e966a23832381dd712256300bc9f | 4356974fa77543eff99048729643050528bbc655 | /GLProject_Particles/GLProject_Particles/Tail.cpp | bd62c1e6f51598f614025d0f082797c8875b0e79 | [] | no_license | jihongwei003/OpenGL | ef48ad10d68236884802ba58df47a979385b3a69 | 2a431ba5ec23338f4aaa1be9a15d84d4a8770382 | refs/heads/master | 2021-01-19T15:04:09.551113 | 2015-04-05T01:52:19 | 2015-04-05T01:52:19 | 32,259,571 | 1 | 1 | null | null | null | null | GB18030 | C++ | false | false | 685 | cpp | #include "Tail.h"
Tail::Tail()
{
m_tailLength = 8;
}
void Tail::Render()
{
if (m_queTail.size() > 0)
{
float shellSize = m_queTail[0].GetSize();
float r = 0.0f, g = 0.0f, b = 0.0f;
float x = 0.0f, y = 0.0f, z = 0.0f;
for (int i = 0; i<m_queTail.size(); i++)
{
shellSize -= 0.1;
if (i > m_tailLength)//烟雾能够显示在屏幕上(不透明度大于0)的帧数
{
m_queTail.pop_back();
break;
}
else
{
m_queTail[i].GetColor(r, g, b);
m_queTail[i].GetPos(x, y, z);
glColor4f(r, g, b, m_queTail[i].GetLife());
glPushMatrix();
glTranslatef(x, y, z);
glutSolidSphere(shellSize, 3, 2);
glPopMatrix();
}
}
}
} | [
"837295194@qq.com"
] | 837295194@qq.com |
e816f166e91fa954a360ac95a7167da528eae182 | 63b1306f99b4d3b0f12d7bac3d7be85ffaabdf77 | /Top Down Shooter/GothicVaniaBattlePriestStates.cpp | b0511e0ea479f0bfb0aef5c2325b046c5fb00ab3 | [] | no_license | Niruz/Top-Down-Shooter | 4cc33a18746181e908e6a58a39a7ee42cc57bc0e | 3bbd96223cd3e1c8dd212457755d0e160bf13b51 | refs/heads/master | 2021-10-19T03:57:18.155039 | 2019-02-17T16:59:13 | 2019-02-17T16:59:13 | 127,650,402 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 10,770 | cpp | #include "SimpleTimer.h"
#include "GothicVaniaBattlePriestStates.h"
#include "BattlePriestEntity.h"
#include "BattlePriestSprite.h"
#include "MessageDispatcher.h"
#include "Messages.h"
#include "ShakeInfo.h"
#include <ctime>
#include "EngineUtilities.h"
#include "CollisionManager.h"
#include "NecromancerEntity.h"
#include "World.h"
#include "CemetaryLevel.h"
#include "BaseProjectileEntity.h"
#include "SoundManager.h"
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestIdle* BattlePriestIdle::Instance()
{
static BattlePriestIdle instance;
return &instance;
}
void BattlePriestIdle::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestIdle");
entity->ResetAttackTimer();
}
void BattlePriestIdle::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
entity->SetFacing();
if (!entity->IsPlayerWithinAttackDistance() && entity->IsPlayerWithinPatrolRange())
{
entity->GetFSM()->changeState(BattlePriestRunToPlayer::Instance());
}
else if (entity->IsPlayerWithinAttackDistance() && entity->IsPlayerWithinPatrolRange() && entity->IsAttackCoolDownReady())
{
entity->GetFSM()->changeState(BattlePriestAttack::Instance());
}
else if (!entity->IsPlayerWithinPatrolRange())
{
entity->GetFSM()->changeState(BattlePriestPatrol::Instance());
}
}
void BattlePriestIdle::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestIdle::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
switch (msg.mMsg)
{
case Msg_TakeDamage:
entity->GetFSM()->changeState(BattlePriestHurt::Instance());
return true;
case Msg_TakeDamageBow:
entity->HandleDamaged(10);
BaseProjectileEntity* projectile = (BaseProjectileEntity*)msg.extraInfo;
GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(projectile->mPosition.x, projectile->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
//GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
return true;
}
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestAttack* BattlePriestAttack::Instance()
{
static BattlePriestAttack instance;
return &instance;
}
void BattlePriestAttack::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestAttack");
entity->ResetAttackTimer();
entity->myAlreadyAttacked = false;
entity->myAlreadyAttacked2 = false;
entity->SetFacing();
}
void BattlePriestAttack::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
if (entity->myAnimatedSprite->myCurrentAnimation->myCurrentIndex == 10 && !entity->myAlreadyAttacked2)
{
float xOffset = -75.0f;
if (entity->myAnimatedSprite->myHeading == Heading::RIGHTFACING)
xOffset *= -1.0f;
GameWorld->GetActiveLevel()->SpawnEntity("Lightning Effect", glm::vec3(entity->mPosition.x + xOffset, entity->mPosition.y + 90.0f, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f), entity->myAnimatedSprite->myHeading);
entity->myAlreadyAttacked2 = true;
}
if (entity->myAnimatedSprite->myCurrentAnimation->myCurrentIndex == 11 && !entity->myAlreadyAttacked)
{
if (CollisionMan->CheckSwordHeroCollisiion(entity))
{
MessageMan->dispatchMessage(0, entity->GetID(), 0, Msg_SmashedDown, entity->myShakeInfoSlamAttack);
entity->myAlreadyAttacked = true;
//MessageMan->dispatchMessage(0, entity->GetID(), 666, Msg_ShakeCamera, entity->myShakeInfoSlamAttack);
// GameWorld->GetActiveLevel()->SpawnEntity("Lightning Effect", glm::vec3(entity->mPosition.x + xOffset, entity->mPosition.y + 90.0f, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f), entity->myAnimatedSprite->myHeading);
}
MessageMan->dispatchMessage(0, entity->GetID(), 666, Msg_ShakeCamera, entity->myShakeInfoSlamAttack);
SoundMan->GetSoundEngine()->play2D("Audio/lightning.wav", GL_FALSE);
}
if (entity->myAnimatedSprite->IsDone())
{
entity->GetFSM()->changeState(BattlePriestIdle::Instance());
}
}
void BattlePriestAttack::Exit(BattlePriestEntity* entity)
{
entity->myAttackCooldown = Clock->GetCurrentTimeInSeconds() + EngineUtilities::RandomFloat(0.3, 2);
}
bool BattlePriestAttack::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
switch (msg.mMsg)
{
case Msg_TakeDamage:
entity->HandleDamaged(10);
return true;
case Msg_TakeDamageBow:
entity->HandleDamaged(10);
BaseProjectileEntity* projectile = (BaseProjectileEntity*)msg.extraInfo;
GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(projectile->mPosition.x, projectile->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
//GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
return true;
}
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestHurt* BattlePriestHurt::Instance()
{
static BattlePriestHurt instance;
return &instance;
}
void BattlePriestHurt::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestHurt");
entity->HandleDamaged(10);
}
void BattlePriestHurt::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
if (entity->myAnimatedSprite->IsDone())
{
entity->GetFSM()->changeState(BattlePriestIdle::Instance());
}
}
void BattlePriestHurt::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestHurt::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestRunToPlayer* BattlePriestRunToPlayer::Instance()
{
static BattlePriestRunToPlayer instance;
return &instance;
}
void BattlePriestRunToPlayer::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestRun");
}
void BattlePriestRunToPlayer::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
entity->HandleMovement();
if (entity->IsPlayerWithinAttackDistance() && entity->IsPlayerWithinPatrolRange() && entity->AmIWithinMyPatrolDistance() && entity->IsAttackCoolDownReady())
{
entity->GetFSM()->changeState(BattlePriestAttack::Instance());
}
else if (entity->IsPlayerWithinAttackDistance() && entity->IsPlayerWithinPatrolRange() && entity->AmIWithinMyPatrolDistance() && !entity->IsAttackCoolDownReady())
{
entity->GetFSM()->changeState(BattlePriestIdle::Instance());
}
else if (!entity->IsPlayerWithinPatrolRange())
{
entity->GetFSM()->changeState(BattlePriestPatrol::Instance());
}
}
void BattlePriestRunToPlayer::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestRunToPlayer::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
switch (msg.mMsg)
{
case Msg_TakeDamage:
entity->GetFSM()->changeState(BattlePriestHurt::Instance());
return true;
case Msg_TakeDamageBow:
entity->HandleDamaged(10);
BaseProjectileEntity* projectile = (BaseProjectileEntity*)msg.extraInfo;
GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(projectile->mPosition.x, projectile->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
//GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
return true;
}
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestPatrol* BattlePriestPatrol::Instance()
{
static BattlePriestPatrol instance;
return &instance;
}
void BattlePriestPatrol::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestRun");
}
void BattlePriestPatrol::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
entity->HandleMovement();
if (entity->IsPlayerWithinPatrolRange())
{
entity->GetFSM()->changeState(BattlePriestRunToPlayer::Instance());
}
}
void BattlePriestPatrol::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestPatrol::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
switch (msg.mMsg)
{
case Msg_TakeDamage:
entity->GetFSM()->changeState(BattlePriestHurt::Instance());
return true;
case Msg_TakeDamageBow:
entity->HandleDamaged(10);
BaseProjectileEntity* projectile = (BaseProjectileEntity*)msg.extraInfo;
GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(projectile->mPosition.x, projectile->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
//GameWorld->GetActiveLevel()->SpawnEntity("Medium Hit", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
return true;
}
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestDie* BattlePriestDie::Instance()
{
static BattlePriestDie instance;
return &instance;
}
void BattlePriestDie::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestDeath");
entity->myIsActive = false;
GameWorld->GetActiveLevel()->SpawnEntity("Enemy Hit Death", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f), entity->myAnimatedSprite->myHeading);
GameWorld->GetActiveLevel()->SpawnEntity("HP Potion", glm::vec3(entity->mPosition.x, entity->mPosition.y, entity->mPosition.z + 0.5f), glm::vec3(1.0f, 0.0f, 0.0f));
}
void BattlePriestDie::Execute(BattlePriestEntity* entity)
{
if (!entity->myAnimatedSprite->IsDone())
entity->myAnimatedSprite->Update();
}
void BattlePriestDie::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestDie::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
switch (msg.mMsg)
{
case Msg_Revive:
/*entity->myHealth = 100.0f;
entity->myIsActive = true;
entity->GetFSM()->changeState(BattlePriestRessurect::Instance());*/
return true;
}
return false;
}
//------------------------------------------------------------------------methods for GhostAttack
BattlePriestRessurect* BattlePriestRessurect::Instance()
{
static BattlePriestRessurect instance;
return &instance;
}
void BattlePriestRessurect::Enter(BattlePriestEntity* entity)
{
entity->SetAnimation("BattlePriestRessurect");
}
void BattlePriestRessurect::Execute(BattlePriestEntity* entity)
{
entity->myAnimatedSprite->Update();
if (entity->myAnimatedSprite->IsDone())
entity->GetFSM()->changeState(BattlePriestIdle::Instance());
}
void BattlePriestRessurect::Exit(BattlePriestEntity* entity)
{
}
bool BattlePriestRessurect::OnMessage(BattlePriestEntity* entity, const Message& msg)
{
return false;
} | [
"niruz91@gmail.com"
] | niruz91@gmail.com |
da2c9d8fae3932ba48d73ba64b32dcb95294d280 | b07490ed3d82b40353f5d97a04a958542dffe727 | /src/log_manifest.cc | b2c633c85781e7d8da79baa94c36c548379898d7 | [
"Apache-2.0",
"Zlib",
"BSD-3-Clause",
"LicenseRef-scancode-unknown-license-reference",
"MIT"
] | permissive | levy5307/Jungle | 0d5d530733c5321a41fd698e9d4b04cabc3b47fc | fd98c82ab0ef02807a27c5915362b31aad72871d | refs/heads/master | 2020-12-13T22:45:59.248279 | 2020-01-16T23:45:34 | 2020-01-16T23:45:34 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 24,851 | cc | /************************************************************************
Copyright 2017-2019 eBay Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
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 "log_manifest.h"
#include "crc32.h"
#include "db_mgr.h"
#include "event_awaiter.h"
#include "internal_helper.h"
#include "log_mgr.h"
#include _MACRO_TO_STR(LOGGER_H)
#include <algorithm>
#include <sstream>
namespace jungle {
static uint8_t LOGMANI_FOOTER[8] = {0xaa, 0xbb, 0xcc, 0xdd, 0xee, 0xff, 0xab, 0xcd};
static uint32_t LOGMANI_VERSION = 0x1;
void LogManifest::reclaimExpiredLogFiles() {
uint64_t last_synced_log_file_num;
Status s = getLastSyncedLog(last_synced_log_file_num);
if (!s) return;
std::stringstream size_message;
uint64_t total_memtable_size = 0;
std::vector<uint64_t> live_file_acc;
skiplist_node* begin = skiplist_begin(&logFiles);
skiplist_node* cursor = begin;
while (cursor) {
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
info->grab();
// Collect memory usage info
if ( !info->file->isMemTablePurged() ) {
uint64_t size = info->file->size();
if ( size > 0 ) {
size_message << ", logfile_" << info->logFileNum << ": " << size;
total_memtable_size += size;
}
}
// NOTE:
// Need to keep the first log file, as it may be frequently
// accessed by getting min seqnum or something like that.
if ( cursor != begin &&
info->logFileNum < last_synced_log_file_num &&
!info->isEvicted() &&
!info->isRemoved() &&
info->file->isImmutable() &&
!info->file->isMemTablePurged() &&
info->file->isExpired() ) {
_log_info(myLog, "will purge memtable of log file %zu, "
"last access %zu us ago, ref count %zu",
info->logFileNum,
info->file->getLastAcc(),
info->getRefCount());
info->setEvicted();
}
if ( !info->isEvicted() &&
!info->isRemoved() &&
info->file->isImmutable() &&
!info->file->isMemTablePurged() ) {
live_file_acc.push_back(info->file->getLastAcc());
}
cursor = skiplist_next(&logFiles, cursor);
skiplist_release_node(&info->snode);
info->done();
}
if (cursor) skiplist_release_node(cursor);
// Log memory usage info
thread_local uint64_t last_total_log_size = 0;
if ( total_memtable_size != last_total_log_size ) {
_log_info(myLog, "memtable memory usage info, total %lu%s",
total_memtable_size,
size_message.str().c_str());
last_total_log_size = total_memtable_size;
}
// TODO:
// What if MemTable loading is too fast and occupies huge memory
// before next reclaimer wake-up?
uint32_t limit = logMgr->getDbConfig()->maxKeepingMemtables;
if ( limit && live_file_acc.size() > limit ) {
// Too many MemTables are in memory, do urgent reclaiming.
size_t num_files_to_purge = live_file_acc.size() - limit;
std::sort(live_file_acc.begin(), live_file_acc.end());
_log_info( myLog, "num memtable %zu exceeds limit %zu, "
"last access %zu us ago",
live_file_acc.size(),
limit,
live_file_acc[limit - 1] );
size_t num_purged = 0;
begin = skiplist_begin(&logFiles);
cursor = begin;
while (cursor) {
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
info->grab();
if ( cursor != begin &&
info->logFileNum < last_synced_log_file_num &&
!info->isEvicted() &&
!info->isRemoved() &&
info->file->isImmutable() &&
info->file->getLastAcc() > live_file_acc[limit - 1] ) {
_log_info(myLog, "will purge memtable of log file %zu (urgent), "
"last access %zu us ago, ref count %zu",
info->logFileNum,
info->file->getLastAcc(),
info->getRefCount());
info->setEvicted();
num_purged++;
}
cursor = skiplist_next(&logFiles, cursor);
skiplist_release_node(&info->snode);
info->done();
if (num_purged >= num_files_to_purge) break;
}
if (cursor) skiplist_release_node(cursor);
}
}
LogManifest::LogManifest(const LogMgr* log_mgr, FileOps* _f_ops, FileOps* _f_l_ops)
: fOps(_f_ops)
, fLogOps(_f_l_ops)
, mFile(nullptr)
, lastFlushedLog(NOT_INITIALIZED)
, lastSyncedLog(NOT_INITIALIZED)
, maxLogFileNum(NOT_INITIALIZED)
, logMgr(log_mgr)
, myLog(nullptr)
{
skiplist_init(&logFiles, LogFileInfo::cmp);
skiplist_init(&logFilesBySeq, LogFileInfo::cmpBySeq);
}
LogManifest::~LogManifest() {
// Should join reclaimer first, before releasing skiplist.
// It will be safe as this destructor will be invoked after
// LogMgr::close() is done.
if (mFile) {
delete mFile;
}
// NOTE: Skip `logFilesBySeq` as they share the actual memory.
skiplist_node* cursor = skiplist_begin(&logFiles);
while (cursor) {
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
LogFile* log_file = info->file;
cursor = skiplist_next(&logFiles, cursor);
delete log_file;
delete info;
}
skiplist_free(&logFiles);
skiplist_free(&logFilesBySeq);
}
bool LogManifest::isLogReclaimerActive() {
return logMgr->isTtlMode();
}
void LogManifest::spawnReclaimer() {
if ( isLogReclaimerActive() ) {
DBMgr* dbm = DBMgr::getWithoutInit();
if (!dbm) return;
Status s = dbm->addLogReclaimer();
if (s) {
_log_info(myLog, "initiated log reclaimer");
} else {
_log_info(myLog, "log reclaimer already exists");
}
}
}
Status LogManifest::create(const std::string& path,
const std::string& filename,
const uint64_t prefix_num)
{
if (!fOps) return Status::NOT_INITIALIZED;
if (fOps->exist(filename.c_str())) return Status::ALREADY_EXIST;
if (filename.empty()) return Status::INVALID_PARAMETERS;
dirPath = path;
mFileName = filename;
// Create a new file.
Status s;
EP( fOps->open(&mFile, mFileName.c_str()) );
// Store initial data.
EP( store() );
spawnReclaimer();
return Status();
}
Status LogManifest::load(const std::string& path,
const std::string& filename,
const uint64_t prefix_num)
{
if (!fOps) return Status::NOT_INITIALIZED;
if (mFile) return Status::ALREADY_LOADED;
if (filename.empty()) return Status::INVALID_PARAMETERS;
dirPath = path;
mFileName = filename;
prefixNum = prefix_num;
Status s;
Timer tt;
const DBConfig* db_config = logMgr->getDbConfig();
EP( fOps->open(&mFile, mFileName.c_str()) );
try {
// File should be bigger than 16 bytes (FOOTER + version + CRC32).
size_t file_size = fOps->eof(mFile);
if (file_size < 16) throw Status(Status::FILE_CORRUPTION);
// Footer check
RwSerializer ss(fOps, mFile);
uint8_t chk_footer[8];
ss.pos(file_size - 16);
ss.get(chk_footer, 8);
if (memcmp(LOGMANI_FOOTER, chk_footer, 8) != 0) {
throw Status(Status::FILE_CORRUPTION);
}
// Version
uint32_t ver_file = ss.getU32(s);
(void)ver_file;
// CRC check
uint32_t crc_file = ss.getU32(s);
SizedBuf chk_buf(file_size - 4);
SizedBuf::Holder h_chk_buf(chk_buf);
ss.pos(0);
ss.get(chk_buf.data, chk_buf.size);
uint32_t crc_local = crc32_8(chk_buf.data, chk_buf.size, 0);
if (crc_local != crc_file) throw Status(Status::CHECKSUM_ERROR);
ss.pos(0);
maxLogFileNum.store(ss.getU64(s), MOR);
lastFlushedLog.store(ss.getU64(s), MOR);
lastSyncedLog.store(ss.getU64(s), MOR);
uint32_t num_log_files = ss.getU32(s);
_log_info(myLog,
"max log file num %ld, last flush %ld, last sync %ld, "
"num log files %zu",
maxLogFileNum.load(), lastFlushedLog.load(),
lastSyncedLog.load(), num_log_files);
uint64_t last_synced_seq = NOT_INITIALIZED;
bool first_file_read = false;
for (uint32_t ii=0; ii < num_log_files; ++ii) {
LogFile* l_file = new LogFile(logMgr);
l_file->setLogger(myLog);
uint64_t l_file_num = ss.getU64(s);
std::string l_filename =
LogFile::getLogFileName(dirPath, prefixNum, l_file_num);
uint64_t min_seq = ss.getU64(s);
uint64_t purged_seq = ss.getU64(s);
uint64_t synced_seq = ss.getU64(s);
if ( db_config->logSectionOnly &&
db_config->truncateInconsecutiveLogs &&
valid_number(min_seq) ) {
// Log-only mode, validity check.
bool invalid_log = false;
if ( valid_number(synced_seq) &&
min_seq > synced_seq ) {
// This cannot happen, probably caused by
// abnormal shutdown.
_log_warn( myLog, "min seq %s > synced seq %s, break",
_seq_str(min_seq).c_str(),
_seq_str(synced_seq).c_str() );
invalid_log = true;
}
if ( valid_number(last_synced_seq) &&
min_seq != last_synced_seq + 1 ) {
// Inconsecutive sequence number,
// probably caused by abnormal shutdown and then
// re-open.
_log_warn( myLog, "min seq %s and last synced seq %s "
"are inconsecutive, break",
_seq_str(min_seq).c_str(),
_seq_str(last_synced_seq).c_str() );
invalid_log = true;
}
if (invalid_log) {
delete l_file;
if (l_file_num) {
maxLogFileNum.store(l_file_num-1, MOR);
lastSyncedLog.store(l_file_num-1, MOR);
_log_warn(myLog, "adjusted max log file num %zu, "
"last synced log file num %zu",
maxLogFileNum.load(),
lastSyncedLog.load());
}
break;
}
}
if (valid_number(synced_seq)) {
last_synced_seq = synced_seq;
}
if (!valid_number(min_seq) && valid_number(last_synced_seq)) {
min_seq = last_synced_seq + 1;
}
if (!valid_number(synced_seq) && valid_number(last_synced_seq)) {
synced_seq = last_synced_seq;
}
s = l_file->load(l_filename, fLogOps, l_file_num,
min_seq, purged_seq, synced_seq);
if (!s) {
_s_warn(myLog) << "log file " << l_file_num << " read error: " << s;
if (s == Status::FILE_NOT_EXIST) {
if ( !first_file_read &&
ii + 1 < num_log_files ) {
// If this is the first log file, and there are
// more log files to read, we can tolerate this error.
_log_warn(myLog, "index %zu (out of %zu) log number %zu is "
"the first log yet, skip it",
ii, num_log_files, l_file_num);
lastFlushedLog = NOT_INITIALIZED;
lastSyncedLog = NOT_INITIALIZED;
delete l_file;
continue;
}
// Log file in the middle or the last one.
_s_warn(myLog) << "something wrong happened, stop loading here";
delete l_file;
if ( getNumLogFiles() ) {
if (l_file_num) {
maxLogFileNum.store(l_file_num-1, MOR);
lastSyncedLog.store(l_file_num-1, MOR);
_log_warn(myLog, "adjusted max log file num %zu, "
"last synced log file num %zu",
maxLogFileNum.load(),
lastSyncedLog.load());
}
break;
}
// Otherwise, there is no valid log file. Should create one,
// and set its number to max file number.
l_file = new LogFile(logMgr);
l_file_num = maxLogFileNum;
// WARNING: WE SHOULD RESET LAST FLUSHED/SYNCED FILE NUMBER.
lastFlushedLog = NOT_INITIALIZED;
lastSyncedLog = NOT_INITIALIZED;
std::string l_filename =
LogFile::getLogFileName(dirPath, prefixNum, l_file_num);
// NOTE: `start_seq_num` will be re-synced with tables
// after table loading is done. So it is safe to
// set it to 0 here.
l_file->create(l_filename, fLogOps, l_file_num, 0);
_log_warn(myLog, "no log file is found due to previous crash, "
"created new log file %zu", l_file_num);
// Make it escape loop.
ii = num_log_files;
}
// Otherwise: tolerate.
}
first_file_read = true;
_log_info( myLog,
"log %ld, min seq %s, last flush %s, last sync %s",
l_file_num,
_seq_str(min_seq).c_str(),
_seq_str(purged_seq).c_str(),
_seq_str(synced_seq).c_str() );
addNewLogFile(l_file_num, l_file, min_seq);
if ( !valid_number(lastSyncedLog) ||
lastSyncedLog < l_file_num ) {
lastSyncedLog.store(l_file_num);
}
}
_log_info(myLog, "loading manifest & log files done: %lu us, "
"flushed %s synced %s max %s",
tt.getUs(),
_seq_str(lastFlushedLog).c_str(),
_seq_str(lastSyncedLog).c_str(),
_seq_str(maxLogFileNum).c_str() );
spawnReclaimer();
return Status();
} catch (Status s) {
// Error happened, close file.
fOps->close(mFile);
DELETE(mFile);
return s;
}
}
Status LogManifest::store() {
if (mFileName.empty() || !fOps) return Status::NOT_INITIALIZED;
Status s;
// Tolerate backup failure.
//BackupRestore::backup(fOps, mFileName);
SizedBuf mani_buf(4096);
SizedBuf::Holder h_mani_buf(mani_buf);
// Resizable serializer.
RwSerializer ss(&mani_buf);
// << Log manifest file format >>
// Latest log file number, 8 bytes
// Last flushed log file number, 8 bytes
// Last synced log file number, 8 bytes
// Number of log files, 4 bytes
uint32_t num_log_files = skiplist_get_size(&logFiles);
ss.putU64(maxLogFileNum);
ss.putU64(lastFlushedLog);
ss.putU64(lastSyncedLog);
ss.putU32(num_log_files);
_log_debug(myLog,
"max log file num %ld, last flush %ld, last sync %ld, "
"num log files %zu",
maxLogFileNum.load(), lastFlushedLog.load(),
lastSyncedLog.load(), num_log_files);
skiplist_node* cursor = skiplist_begin(&logFiles);
while (cursor) {
// << Log info entry format >>
// Log file number, 8 bytes
// Min seq number, 8 bytes
// Last flushed seq number, 8 bytes
// Last synced seq number, 8 bytes
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
LogFile* l_file = info->file;
ss.putU64(info->logFileNum);
ss.putU64(l_file->getMinSeqNum());
ss.putU64(l_file->getFlushedSeqNum());
ss.putU64(l_file->getSyncedSeqNum());
_log_trace(myLog,
"log %ld, min seq %ld, last flush %ld, last sync %ld",
info->logFileNum, l_file->getMinSeqNum(),
l_file->getFlushedSeqNum(), l_file->getSyncedSeqNum());
cursor = skiplist_next(&logFiles, cursor);
skiplist_release_node(&info->snode);
}
if (cursor) skiplist_release_node(cursor);
ss.put(LOGMANI_FOOTER, 8);
// Version
ss.putU32(LOGMANI_VERSION);
// CRC32
uint32_t crc_val = crc32_8(mani_buf.data, ss.pos(), 0);
ss.putU32(crc_val);
EP( fOps->pwrite(mFile, mani_buf.data, ss.pos(), 0) );
// Should truncate tail.
fOps->ftruncate(mFile, ss.pos());
// After success, make a backup file one more time,
// using the latest data.
// Same as above, tolerate backup failure.
BackupRestore::backup(fOps, mFileName, mani_buf, ss.pos());
return s;
}
Status LogManifest::sync() {
return fOps->fsync(mFile);
}
Status LogManifest::issueLogFileNumber(uint64_t& new_log_file_number) {
uint64_t expected = NOT_INITIALIZED;
uint64_t val = 0;
if (maxLogFileNum.compare_exchange_weak(expected, val)) {
// The first log file, number 0.
} else {
// Otherwise: current max + 1.
do {
expected = maxLogFileNum;
val = maxLogFileNum + 1;
} while (!maxLogFileNum.compare_exchange_weak(expected, val));
}
new_log_file_number = val;
return Status();
}
Status LogManifest::rollbackLogFileNumber(uint64_t to) {
maxLogFileNum = to;
return Status();
}
bool LogManifest::logFileExist(const uint64_t log_num) {
LogFileInfo query(log_num);
skiplist_node* cursor = skiplist_find(&logFiles, &query.snode);
if (!cursor) {
return false;
}
skiplist_release_node(cursor);
return true;
}
Status LogManifest::getLogFileInfo(const uint64_t log_num,
LogFileInfo*& info_out,
bool force_not_load_memtable)
{
LogFileInfo query(log_num);
skiplist_node* cursor = skiplist_find(&logFiles, &query.snode);
if (!cursor) {
return Status::LOG_FILE_NOT_FOUND;
}
info_out = _get_entry(cursor, LogFileInfo, snode);
if (force_not_load_memtable) {
info_out->grab();
} else {
info_out->grab(isLogReclaimerActive());
}
skiplist_release_node(cursor);
return Status();
}
Status LogManifest::getLogFileInfoRange(const uint64_t s_log_inc,
const uint64_t e_log_inc,
std::vector<LogFileInfo*>& info_out,
bool force_not_load_memtable)
{
LogFileInfo query(s_log_inc);
skiplist_node* cursor =
skiplist_find_greater_or_equal(&logFiles, &query.snode);
if (!cursor) {
return Status::LOG_FILE_NOT_FOUND;
}
while (cursor) {
LogFileInfo* l_info = _get_entry(cursor, LogFileInfo, snode);
if (force_not_load_memtable) {
l_info->grab();
} else {
l_info->grab(isLogReclaimerActive());
}
info_out.push_back(l_info);
if (l_info->logFileNum >= e_log_inc) {
cursor = nullptr;
} else {
cursor = skiplist_next(&logFiles, &l_info->snode);
}
skiplist_release_node(&l_info->snode);
}
return Status();
}
Status LogManifest::getLogFileInfoBySeq(const uint64_t seq_num,
LogFileInfo*& info_out,
bool force_not_load_memtable)
{
LogFileInfo query(0);
query.startSeq = seq_num;
skiplist_node* cursor = skiplist_find_smaller_or_equal
( &logFilesBySeq, &query.snodeBySeq );
if (!cursor) return Status::LOG_FILE_NOT_FOUND;
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snodeBySeq);
LogFile* file = info->file;
uint64_t file_min_seq = file->getMinSeqNum();
if (valid_number(file_min_seq) && file_min_seq > seq_num) {
// WARNING: This can happen for the first log file,
// if user uses custom seqnum which is bigger than
// the expected seqnum.
skiplist_release_node(cursor);
return Status::LOG_FILE_NOT_FOUND;
}
if (file->getMaxSeqNum() < seq_num) {
skiplist_release_node(cursor);
return Status::LOG_FILE_NOT_FOUND;
}
info_out = info;
if (force_not_load_memtable) {
info_out->grab();
} else {
info_out->grab(isLogReclaimerActive());
}
skiplist_release_node(cursor);
return Status();
}
LogFileInfo* LogManifest::getLogFileInfoP(uint64_t log_num,
bool force_not_load_memtable) {
LogFileInfo* ret = nullptr;
Status s = getLogFileInfo(log_num, ret, force_not_load_memtable);
if (!s) return nullptr;
return ret;
}
Status LogManifest::addNewLogFile(uint64_t log_num,
LogFile* log_file,
uint64_t start_seqnum)
{
LogFileInfo* info = new LogFileInfo(log_num);
if (!info) return Status::ALLOCATION_FAILURE;
info->file = log_file;
info->startSeq = start_seqnum;
skiplist_insert(&logFilesBySeq, &info->snodeBySeq);
skiplist_insert(&logFiles, &info->snode);
return Status();
}
Status LogManifest::removeLogFile(uint64_t log_num) {
LogFileInfo query(log_num);
skiplist_node* cursor = skiplist_find(&logFiles, &query.snode);
if (!cursor) {
return Status::LOG_FILE_NOT_FOUND;
}
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
// NOTE: the last done() call will kill itself (suicide).
info->setRemoved();
skiplist_erase_node(&logFiles, &info->snode);
skiplist_release_node(&info->snode);
skiplist_wait_for_free(&info->snode);
skiplist_erase_node(&logFilesBySeq, &info->snodeBySeq);
skiplist_wait_for_free(&info->snode);
return Status();
}
Status LogManifest::getLogFileNumBySeq(const uint64_t seqnum,
uint64_t& log_file_num_out,
bool force_not_load_memtable)
{
LogFileInfo* info;
Status s;
EP( getLogFileInfoBySeq(seqnum, info, force_not_load_memtable) );
LogFileInfoGuard gg(info);
if (!info->file) return Status::NOT_INITIALIZED;
log_file_num_out = info->file->getLogFileNum();
return Status();
}
Status LogManifest::getMaxLogFileNum(uint64_t& log_file_num_out) {
uint64_t max_log_file_num = maxLogFileNum.load(MOR);
if (max_log_file_num == NOT_INITIALIZED)
return Status::NOT_INITIALIZED;
log_file_num_out = max_log_file_num;
return Status();
}
Status LogManifest::setMaxLogFileNum(uint64_t cur_num, uint64_t new_num) {
if (maxLogFileNum.compare_exchange_weak(cur_num, new_num)) {
return Status();
}
return Status::ERROR;
}
Status LogManifest::getMinLogFileNum(uint64_t& log_file_num_out) {
skiplist_node* cursor = skiplist_begin(&logFiles);
if (!cursor) {
return Status::NOT_INITIALIZED;
}
LogFileInfo* info = _get_entry(cursor, LogFileInfo, snode);
log_file_num_out = info->logFileNum;
skiplist_release_node(cursor);
return Status();
}
Status LogManifest::getLastFlushedLog(uint64_t& last_flushed_log) {
if (lastFlushedLog == NOT_INITIALIZED) {
// Flush never happened yet, return the min log file number.
// If no log file exists, return error.
Status s;
s = getMinLogFileNum(last_flushed_log);
if (!s) last_flushed_log = NOT_INITIALIZED;
return s;
}
last_flushed_log = lastFlushedLog;
return Status();
}
Status LogManifest::getLastSyncedLog(uint64_t& last_synced_log) {
last_synced_log = lastSyncedLog;
if (lastSyncedLog == NOT_INITIALIZED) {
return Status::NOT_INITIALIZED;
}
return Status();
}
size_t LogManifest::getNumLogFiles() {
return skiplist_get_size(&logFiles);
}
} // namespace jungle
| [
"jungsang.ahn@gmail.com"
] | jungsang.ahn@gmail.com |
97b806859095ed71286789fe590a8d4138fb381c | f19633a377081d06755050b68ae6146732ae3a54 | /Math/Math/math/Vector4D.cpp | a90d459a04f791e3563589007e13f8b9cc43599b | [
"Apache-2.0"
] | permissive | sunshineheader/Math | b214ad9407ee2dcdab37873aa855347026fdeae3 | 58578625465abfb91fc97ce7110328b41762c23f | refs/heads/master | 2021-01-10T03:06:11.019427 | 2015-11-23T06:15:22 | 2015-11-23T06:15:22 | 46,614,235 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,318 | cpp | #include "Vector4D.h"
namespace Math{
void Vector4D::normalize()
{
float normalize = x * x + y * y + z*z + w*w;
// Already normalized.
if (normalize == 1.0f)
return;
normalize = sqrt(normalize);
// Too close to zero.
if (normalize < 0.000001f)
return;
normalize = 1.0f / normalize;
x *= normalize;
y *= normalize;
z *= normalize;
w *= normalize;
}
Vector4D Vector4D::getNormalized()const
{
Vector4D vector(*this);
vector.normalize();
return vector;
}
float Vector4D::length()const
{
return std::sqrt(x*x + y*y + w*w + z*z);
}
float Vector4D::lengthSquared()const
{
return (x*x + y*y + w*w + z*z);
}
float Vector4D::distance(const Vector4D & vector) const
{
float dx = vector.x - x;
float dy = vector.y - y;
float dz = vector.z - z;
float dw = vector.w - w;
return std::sqrt(dx * dx + dy * dy + dz*dz + dw*dw);
}
float Vector4D::distanceSquared(const Vector4D & vector) const
{
float dx = vector.x - x;
float dy = vector.y - y;
float dz = vector.z - z;
float dw = vector.w - w;
return (dx * dx + dy * dy + dz*dz + dw*dw);
}
std::ostream& operator<<(std::ostream& stream, const Vector4D & vector)
{
stream << "Vector4D (" << vector.x << "," << vector.y << "," << vector.z << "," << vector.w << ")" << std::endl;
return stream;
}
}
| [
"sunshineheader@gmail.com"
] | sunshineheader@gmail.com |
7fdbedbf58ac5344adae1565b68560f5eed70ac0 | 438de183318c7f842b6c395ecbf1b6f9ea1ef9cf | /extensions/chronosync.cpp | af99d7a32528c8c0a7f5a9a1891e03c3223f0a3d | [] | no_license | johnsonfan/scenario-ChronoSync | a87f7a3e27382f008d35597293102a6cc28435c3 | ce12fcc53359fa085db86a0f58db66bc21e58444 | refs/heads/master | 2020-03-30T19:04:27.978501 | 2018-09-27T16:42:43 | 2018-09-27T16:42:43 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,251 | cpp | /* -*- Mode:C++; c-file-style:"gnu"; indent-tabs-mode:nil; -*- */
/**
* Copyright (c) 2015 Regents of the University of California.
*
* This file is part of ndnSIM. See AUTHORS for complete list of ndnSIM authors and
* contributors.
*
* ndnSIM is free software: you can redistribute it and/or modify it under the terms
* of the GNU General Public License as published by the Free Software Foundation,
* either version 3 of the License, or (at your option) any later version.
*
* ndnSIM is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;
* without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR
* PURPOSE. See the GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License along with
* ndnSIM, e.g., in COPYING.md file. If not, see <http://www.gnu.org/licenses/>.
*
* Author: Spyridon (Spyros) Mastorakis <mastorakis@cs.ucla.edu>
*/
#include "chronosync.hpp"
namespace ndn {
ChronoSync::ChronoSync(const int minNumberMessages, const int maxNumberMessages)
: m_face(m_ioService)
, m_scheduler(m_ioService)
, m_randomGenerator(static_cast<unsigned int>(std::time(0)))
, m_rangeUniformRandom(m_randomGenerator, boost::uniform_int<>(1000, 3000))
, m_messagesUniformRandom(m_randomGenerator, boost::uniform_int<>(minNumberMessages, maxNumberMessages))
, m_numberMessages(m_messagesUniformRandom())
{
}
void
ChronoSync::setSyncPrefix(const Name& syncPrefix)
{
m_syncPrefix = syncPrefix;
}
void
ChronoSync::setUserPrefix(const Name& userPrefix)
{
m_userPrefix = userPrefix;
}
void
ChronoSync::setRoutingPrefix(const Name& routingPrefix)
{
m_routingPrefix = routingPrefix;
}
void
ChronoSync::delayedInterest(int id)
{
std::cout << "Delayed Interest with id: " << id << "\n";
m_socket->publishData(reinterpret_cast<const uint8_t*>(std::to_string(id).c_str()),
std::to_string(id).size(), ndn::time::milliseconds(4000));
if (id < m_numberMessages)
m_scheduler.scheduleEvent(ndn::time::milliseconds(m_rangeUniformRandom()),
bind(&ChronoSync::delayedInterest, this, ++id));
}
void
ChronoSync::publishDataPeriodically(int id)
{
m_scheduler.scheduleEvent(ndn::time::milliseconds(m_rangeUniformRandom()),
bind(&ChronoSync::delayedInterest, this, 1));
m_scheduler.scheduleEvent(ndn::time::milliseconds(m_rangeUniformRandom()),
bind(&ChronoSync::publishDataPeriodically, this, 1));
}
void
ChronoSync::printData(const Data& data)
{
Name::Component peerName = data.getName().at(3);
std::string s (reinterpret_cast<const char*>(data.getContent().value()),
data.getContent().value_size());
std::cout << "Data received from " << peerName.toUri() << " : " << s << "\n";
}
void
ChronoSync::processSyncUpdate(const std::vector<chronosync::MissingDataInfo>& updates)
{
std::cout << "Process Sync Update \n";
if (updates.empty()) {
return;
}
for (unsigned int i = 0; i < updates.size(); i++) {
for (chronosync::SeqNo seq = updates[i].low; seq <= updates[i].high; ++seq) {
m_socket->fetchData(updates[i].session, seq,
bind(&ChronoSync::printData, this, _1),
2);
}
}
}
void
ChronoSync::initializeSync()
{
std::cout << "ChronoSync Instance Initialized \n";
m_routableUserPrefix = Name();
m_routableUserPrefix.clear();
m_routableUserPrefix.append(m_routingPrefix).append(m_userPrefix);
m_socket = std::make_shared<chronosync::Socket>(m_syncPrefix,
m_routableUserPrefix,
m_face,
bind(&ChronoSync::processSyncUpdate, this, _1));
}
void
ChronoSync::run()
{
m_scheduler.scheduleEvent(ndn::time::milliseconds(m_rangeUniformRandom()),
bind(&ChronoSync::delayedInterest, this, 1));
}
void
ChronoSync::runPeriodically()
{
m_scheduler.scheduleEvent(ndn::time::milliseconds(m_rangeUniformRandom()),
bind(&ChronoSync::publishDataPeriodically, this, 1));
}
} // namespace ndn
| [
"spiros.mastorakis@gmail.com"
] | spiros.mastorakis@gmail.com |
50fbcaea26787cb21d4a09e565745ed85bccaf77 | 46a0f4d7b835e9dd8ca1679af9b4e9aade1d213c | /CST8237-Work/GameEngine.h | d792338f5f37be80a465b78321b86d3ea58caa8f | [] | no_license | RobbAP/TANKS | d1cccb05427dd6814dd0c1c704a16a0a45cc3cd6 | 0a5fe36940083686538a849aae961f34b8cc9938 | refs/heads/master | 2021-01-01T19:46:34.660841 | 2015-02-10T21:33:15 | 2015-02-10T21:33:15 | 30,615,274 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,402 | h | #pragma once // Preprocessor directive to ensure that this header will only be included once. -- Generally used on Windows
// Preprocessor directive to ensure that this header will only be included once. -- Generally used for all environments.
/*#ifndef _GAME_ENGINE_H_
#define _GAME_ENGINE_H_
#endif // _GAME_ENGINE_H_*/
#include "MathUtils.h"
#include "Player.h"
#include "Timer.h"
#include <string>
#define SCREENWIDTH 1024
#define SCREENHEIGHT 768
#define STARTINGLIVES 5
// Number of images the program needs to load
#define NUMIMAGES 1
// Forward declaring our renderer and window.
// Because we're using them as pointers, we don't need to know their size
// at compile time to define this class.
struct SDL_Renderer;
struct SDL_Window;
class GameEngine
{
public:
static GameEngine* CreateInstance();
void Initialize();
void Shutdown();
void updateTitle();
void Update();
void Draw();
//const char * imagenames[NUMIMAGES];
~GameEngine();
protected:
GameEngine();
virtual void InitializeImpl() = 0;
virtual void UpdateImpl(float dt) = 0;
virtual void DrawImpl(SDL_Renderer *renderer, float dt) = 0;
static GameEngine *_instance;
SDL_Window *_window;
SDL_Renderer *_renderer;
Timer _engineTimer;
// Buffer to update the window text
char buffer[255];
char tab;
int playerOneScore, playerTwoScore;
float _oldTime, _currentTime, _deltaTime;
}; | [
"robmcgaw@hotmail.com"
] | robmcgaw@hotmail.com |
0d7698f64139a03eb810d692113b06643cf0af76 | 5b0449150ae2a959c4a26adc8ba8737f86ccba0c | /queen_threads/main.cpp | 590977b9d80ae570a170d0b2d3fcf39af5a273f3 | [] | no_license | LF0614/cpp_hodgepodges | 74aa5ed1b9825abe749d8ae06467dcf64457403f | 97e0d0bf4d23737f0f8f196f9407317315c6662b | refs/heads/master | 2021-05-11T13:29:14.240338 | 2017-11-18T14:35:37 | 2017-11-18T14:35:47 | null | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 1,446 | cpp | #include <iostream>
#include <chrono>
#include <ratio>
#include <condition_variable>
#include "ThreadPool.h"
#include "Queen.h"
using namespace std;
using namespace std::chrono;
int main(void)
{
int len = 15;
cout<<"solve queen length: "<<len<<endl;
#if 0
/*
单线程递归N皇后,15个皇后大约28秒
*/
//获得初始时间。
auto timePoint1 = time_point_cast<duration<int,std::ratio<1>>>(system_clock::now());
int rst[30];
//创建皇后类
Queen queen(len,rst);
//从第0行第0列开始递归
queen.solve(0);
//打印计算结果
cout<<queen.getResultCnt()<<endl;
//获得结束时间
auto timePoint2 = time_point_cast<duration<int,std::ratio<1>>>(system_clock::now());
cout<<timePoint2.time_since_epoch().count()-timePoint1.time_since_epoch().count()<<endl;
#else
/*
多线程递归N皇后,15皇后约8秒
*/
//获取时间
auto timePoint1 = time_point_cast<duration<int, std::ratio<1>>>(system_clock::now());
//创建线程池
ThreadPool pool;
//设置皇后个数
pool.setQueueCnt(len);
//设置线程个数,并运行线程。
pool.runAllThread(4);
pool.join();
auto timePoint2 = time_point_cast<duration<int, std::ratio<1>>>(system_clock::now());
cout << timePoint2.time_since_epoch().count() - timePoint1.time_since_epoch().count() << endl;
#endif
system("pause");
return 0;
}
| [
"object_he@yeah.net"
] | object_he@yeah.net |
8224b5d566d33b7e8a6d4bf99492e81923bfe8fd | 6508b4ca3fd6e18b7668cd8b3157dc30c2edd4e8 | /영상처리/openCV예제/source/ch11/ImageTool/ImageToolDoc.cpp | 300aeebb8def7d2fd394bf718ef14b4982c0044e | [] | no_license | hjh4638/test | da8b4bbd515cc2d2ce0d812cd77aef88a82c8ebb | 60e190d4aa788e4932e4293b3537020dc92101cd | refs/heads/master | 2016-09-10T18:46:53.875299 | 2015-01-28T08:07:37 | 2015-01-28T08:07:37 | 29,848,337 | 0 | 1 | null | null | null | null | UHC | C++ | false | false | 13,744 | cpp | // ImageToolDoc.cpp : CImageToolDoc 클래스의 구현
//
#include "stdafx.h"
#include "ImageTool.h"
#include "ImageToolDoc.h"
#include "Dib.h"
#include "DibEnhancement.h"
#include "DibFilter.h"
#include "DibGeometry.h"
#include "DibFourier.h"
#include "FileNewDlg.h"
#include "BrightnessDlg.h"
#include "ContrastDlg.h"
#include "GammaCorrectionDlg.h"
#include "HistogramDlg.h"
#include "ArithmeticDlg.h"
#include "GaussianDlg.h"
#include "AddNoiseDlg.h"
#include "DiffusionDlg.h"
#include "TranslateDlg.h"
#include "ResizeDlg.h"
#include "RotateDlg.h"
#include "FreqFilterDlg.h"
#include "HarrisDlg.h"
#ifdef _DEBUG
#define new DEBUG_NEW
#endif
// CImageToolDoc
IMPLEMENT_DYNCREATE(CImageToolDoc, CDocument)
BEGIN_MESSAGE_MAP(CImageToolDoc, CDocument)
ON_COMMAND(ID_WINDOW_DUPLICATE, &CImageToolDoc::OnWindowDuplicate)
ON_COMMAND(ID_EDIT_COPY, &CImageToolDoc::OnEditCopy)
ON_COMMAND(ID_IMAGE_INVERSE, &CImageToolDoc::OnImageInverse)
ON_COMMAND(ID_IMAGE_BRIGHTNESS, &CImageToolDoc::OnImageBrightness)
ON_COMMAND(ID_IMAGE_CONTRAST, &CImageToolDoc::OnImageContrast)
ON_COMMAND(ID_GAMMA_CORRECTION, &CImageToolDoc::OnGammaCorrection)
ON_COMMAND(ID_VIEW_HISTOGRAM, &CImageToolDoc::OnViewHistogram)
ON_COMMAND(ID_HISTO_EQUALIZE, &CImageToolDoc::OnHistoEqualize)
ON_COMMAND(ID_IMAGE_ARITHMETIC, &CImageToolDoc::OnImageArithmetic)
ON_COMMAND(ID_BITPLANE_SLICING, &CImageToolDoc::OnBitplaneSlicing)
ON_COMMAND(ID_FILTER_MEAN, &CImageToolDoc::OnFilterMean)
ON_COMMAND(ID_FILTER_WEIGHTED_MEAN, &CImageToolDoc::OnFilterWeightedMean)
ON_COMMAND(ID_FILTER_GAUSSIAN, &CImageToolDoc::OnFilterGaussian)
ON_COMMAND(ID_FILTER_UNSHARP_MASK, &CImageToolDoc::OnFilterUnsharpMask)
ON_COMMAND(ID_ADD_NOISE, &CImageToolDoc::OnAddNoise)
ON_COMMAND(ID_FILTER_MEDIAN, &CImageToolDoc::OnFilterMedian)
ON_COMMAND(ID_FILTER_DIFFUSION, &CImageToolDoc::OnFilterDiffusion)
ON_COMMAND(ID_FILTER_LAPLACIAN, &CImageToolDoc::OnFilterLaplacian)
ON_COMMAND(ID_IMAGE_TRANSLATION, &CImageToolDoc::OnImageTranslation)
ON_COMMAND(ID_IMAGE_RESIZE, &CImageToolDoc::OnImageResize)
ON_COMMAND(ID_IMAGE_ROTATE, &CImageToolDoc::OnImageRotate)
ON_COMMAND(ID_IMAGE_MIRROR, &CImageToolDoc::OnImageMirror)
ON_COMMAND(ID_IMAGE_FLIP, &CImageToolDoc::OnImageFlip)
ON_COMMAND(ID_FOURIER_DFT, &CImageToolDoc::OnFourierDft)
ON_COMMAND(ID_FOURIER_DFTRC, &CImageToolDoc::OnFourierDftrc)
ON_COMMAND(ID_FOURIER_FFT, &CImageToolDoc::OnFourierFft)
ON_COMMAND(ID_IDEAL_LOWPASS, &CImageToolDoc::OnIdealLowpass)
ON_COMMAND(ID_IDEAL_HIGHPASS, &CImageToolDoc::OnIdealHighpass)
ON_COMMAND(ID_GAUSSIAN_LOWPASS, &CImageToolDoc::OnGaussianLowpass)
ON_COMMAND(ID_GAUSSIAN_HIGHPASS, &CImageToolDoc::OnGaussianHighpass)
ON_COMMAND(ID_EDGE_ROBERTS, &CImageToolDoc::OnEdgeRoberts)
ON_COMMAND(ID_EDGE_PREWITT, &CImageToolDoc::OnEdgePrewitt)
ON_COMMAND(ID_EDGE_SOBEL, &CImageToolDoc::OnEdgeSobel)
ON_COMMAND(ID_HOUGH_LINE, &CImageToolDoc::OnHoughLine)
ON_COMMAND(ID_HARRIS_CORNER, &CImageToolDoc::OnHarrisCorner)
END_MESSAGE_MAP()
// CImageToolDoc 생성/소멸
CImageToolDoc::CImageToolDoc()
{
// TODO: 여기에 일회성 생성 코드를 추가합니다.
}
CImageToolDoc::~CImageToolDoc()
{
}
BOOL CImageToolDoc::OnNewDocument()
{
if (!CDocument::OnNewDocument())
return FALSE;
BOOL bSuccess = TRUE;
if( theApp.m_pNewDib != NULL )
{
m_Dib.Copy(theApp.m_pNewDib);
theApp.m_pNewDib = NULL;
}
else
{
CFileNewDlg dlg;
if( dlg.DoModal() == IDOK )
{
if( dlg.m_nType == 0 ) // 그레이스케일 이미지
bSuccess = m_Dib.CreateGrayImage(dlg.m_nWidth, dlg.m_nHeight);
else // 트루칼라 이미지
bSuccess = m_Dib.CreateRGBImage(dlg.m_nWidth, dlg.m_nHeight);
}
else
{
bSuccess = FALSE;
}
}
return bSuccess;
}
// CImageToolDoc serialization
void CImageToolDoc::Serialize(CArchive& ar)
{
if (ar.IsStoring())
{
// TODO: 여기에 저장 코드를 추가합니다.
}
else
{
// TODO: 여기에 로딩 코드를 추가합니다.
}
}
// CImageToolDoc 진단
#ifdef _DEBUG
void CImageToolDoc::AssertValid() const
{
CDocument::AssertValid();
}
void CImageToolDoc::Dump(CDumpContext& dc) const
{
CDocument::Dump(dc);
}
#endif //_DEBUG
// CImageToolDoc 명령
BOOL CImageToolDoc::OnOpenDocument(LPCTSTR lpszPathName)
{
if (!CDocument::OnOpenDocument(lpszPathName))
return FALSE;
return m_Dib.Load(lpszPathName);
}
BOOL CImageToolDoc::OnSaveDocument(LPCTSTR lpszPathName)
{
return m_Dib.Save(lpszPathName);
}
void CImageToolDoc::OnWindowDuplicate()
{
AfxNewImage(m_Dib);
}
void CImageToolDoc::OnEditCopy()
{
if( m_Dib.IsValid() )
m_Dib.CopyToClipboard();
}
void CImageToolDoc::OnImageInverse()
{
CDib dib = m_Dib;
DibInverse(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnImageBrightness()
{
CBrightnessDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibBrightness(dib, dlg.m_nBrightness);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnImageContrast()
{
CContrastDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibContrast(dib, dlg.m_nContrast);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnGammaCorrection()
{
CGammaCorrectionDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibGammaCorrection(dib, dlg.m_fGamma);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnViewHistogram()
{
CHistogramDlg dlg;
dlg.SetImage(m_Dib);
dlg.DoModal();
}
void CImageToolDoc::OnHistoEqualize()
{
CDib dib = m_Dib;
DibHistEqual(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnImageArithmetic()
{
CArithmeticDlg dlg;
if( dlg.DoModal() == IDOK )
{
CImageToolDoc* pDoc1 = (CImageToolDoc*)dlg.m_pDoc1;
CImageToolDoc* pDoc2 = (CImageToolDoc*)dlg.m_pDoc2;
CDib dib;
BOOL ret = FALSE;
switch( dlg.m_nFunction )
{
case 0: ret = DibAdd(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
case 1: ret = DibSub(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
case 2: ret = DibAve(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
case 3: ret = DibDif(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
case 4: ret = DibAND(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
case 5: ret = DibOR(pDoc1->m_Dib, pDoc2->m_Dib, dib); break;
}
if( ret )
AfxNewImage(dib);
else
AfxMessageBox(_T("영상의 크기가 다릅니다!"));
}
}
void CImageToolDoc::OnBitplaneSlicing()
{
register int i;
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
CDib dib;
dib.CreateGrayImage(w, h);
for( i = 0 ; i < 8 ; i++ )
{
DibBitPlane(m_Dib, i, dib);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnFilterMean()
{
CDib dib = m_Dib;
DibFilterMean(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFilterWeightedMean()
{
CDib dib = m_Dib;
DibFilterWeightedMean(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFilterGaussian()
{
CGaussianDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibFilterGaussian(dib, dlg.m_fSigma);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnFilterLaplacian()
{
CDib dib = m_Dib;
DibFilterLaplacian(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFilterUnsharpMask()
{
CDib dib = m_Dib;
DibFilterUnsharpMask(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnAddNoise()
{
CAddNoiseDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
if( dlg.m_nNoiseType == 0 )
DibNoiseGaussian(dib, dlg.m_nAmount);
else
DibNoiseSaltNPepper(dib, dlg.m_nAmount);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnFilterMedian()
{
CDib dib = m_Dib;
DibFilterMedean(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFilterDiffusion()
{
CDiffusionDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibFilterDiffusion(dib, dlg.m_fLambda, dlg.m_fK, dlg.m_nIteration);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnImageTranslation()
{
CTranslateDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
DibTranslate(dib, dlg.m_nNewSX, dlg.m_nNewSY);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnImageResize()
{
CResizeDlg dlg;
dlg.m_nOldWidth = m_Dib.GetWidth();
dlg.m_nOldHeight = m_Dib.GetHeight();
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
switch( dlg.m_nInterpolation )
{
case 0: DibResizeNearest(dib, dlg.m_nNewWidth, dlg.m_nNewHeight); break;
case 1: DibResizeBilinear(dib, dlg.m_nNewWidth, dlg.m_nNewHeight); break;
case 2: DibResizeCubic(dib, dlg.m_nNewWidth, dlg.m_nNewHeight); break;
}
AfxNewImage(dib);
}
}
void CImageToolDoc::OnImageRotate()
{
CRotateDlg dlg;
if( dlg.DoModal() == IDOK )
{
CDib dib = m_Dib;
switch( dlg.m_nRotate )
{
case 0: DibRotate90(dib); break;
case 1: DibRotate180(dib); break;
case 2: DibRotate270(dib); break;
case 3: DibRotate(dib, (double)dlg.m_fAngle); break;
}
AfxNewImage(dib);
}
}
void CImageToolDoc::OnImageMirror()
{
CDib dib = m_Dib;
DibMirror(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnImageFlip()
{
CDib dib = m_Dib;
DibFlip(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFourierDft()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( w*h > 128*128 )
{
CString str = _T("영상의 크기가 커서 시간이 오래 걸릴 수 있습니다.\n계속 하시겠습니까?");
if( AfxMessageBox(str, MB_OKCANCEL) != IDOK )
return;
}
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.DFT(1);
CDib dib;
fourier.GetSpectrumImage(dib);
AfxNewImage(dib);
fourier.GetPhaseImage(dib);
AfxNewImage(dib);
fourier.DFT(-1);
fourier.GetImage(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFourierDftrc()
{
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.DFTRC(1);
CDib dib;
fourier.GetSpectrumImage(dib);
AfxNewImage(dib);
fourier.GetPhaseImage(dib);
AfxNewImage(dib);
fourier.DFTRC(-1);
fourier.GetImage(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnFourierFft()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( !IsPowerOf2(w) || !IsPowerOf2(h) )
{
AfxMessageBox(_T("가로 또는 세로의 크기가 2의 승수가 아닙니다."));
return;
}
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.FFT(1);
CDib dib;
fourier.GetSpectrumImage(dib);
AfxNewImage(dib);
fourier.GetPhaseImage(dib);
AfxNewImage(dib);
fourier.FFT(-1);
fourier.GetImage(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnIdealLowpass()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( !IsPowerOf2(w) || !IsPowerOf2(h) )
{
AfxMessageBox(_T("가로 또는 세로의 크기가 2의 승수가 아닙니다."));
return;
}
CFreqFilterDlg dlg;
dlg.m_strFilterType = _T("저역 통과 필터");
dlg.m_strFilterShape = _T("이상적(Ideal)");
dlg.m_strRange.Format(_T("(0 ~ %d)"), min(w/2, h/2));
if( dlg.DoModal() == IDOK )
{
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.FFT(1);
fourier.IdealLowpass(dlg.m_nCutoff);
fourier.FFT(-1);
CDib dib;
fourier.GetImage(dib);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnIdealHighpass()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( !IsPowerOf2(w) || !IsPowerOf2(h) )
{
AfxMessageBox(_T("가로 또는 세로의 크기가 2의 승수가 아닙니다."));
return;
}
CFreqFilterDlg dlg;
dlg.m_strFilterType = _T("고역 통과 필터");
dlg.m_strFilterShape = _T("이상적(Ideal)");
dlg.m_strRange.Format(_T("(0 ~ %d)"), min(w/2, h/2));
if( dlg.DoModal() == IDOK )
{
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.FFT(1);
fourier.IdealHighpass(dlg.m_nCutoff);
fourier.FFT(-1);
CDib dib;
fourier.GetImage(dib);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnGaussianLowpass()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( !IsPowerOf2(w) || !IsPowerOf2(h) )
{
AfxMessageBox(_T("가로 또는 세로의 크기가 2의 승수가 아닙니다."));
return;
}
CFreqFilterDlg dlg;
dlg.m_strFilterType = _T("저역 통과 필터");
dlg.m_strFilterShape = _T("가우시안(Gaussian)");
dlg.m_strRange.Format(_T("(0 ~ %d)"), min(w/2, h/2));
if( dlg.DoModal() == IDOK )
{
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.FFT(1);
fourier.GaussianLowpass(dlg.m_nCutoff);
fourier.FFT(-1);
CDib dib;
fourier.GetImage(dib);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnGaussianHighpass()
{
int w = m_Dib.GetWidth();
int h = m_Dib.GetHeight();
if( !IsPowerOf2(w) || !IsPowerOf2(h) )
{
AfxMessageBox(_T("가로 또는 세로의 크기가 2의 승수가 아닙니다."));
return;
}
CFreqFilterDlg dlg;
dlg.m_strFilterType = _T("고역 통과 필터");
dlg.m_strFilterShape = _T("가우시안(Gaussian)");
dlg.m_strRange.Format(_T("(0 ~ %d)"), min(w/2, h/2));
if( dlg.DoModal() == IDOK )
{
CDibFourier fourier;
fourier.SetImage(m_Dib);
fourier.FFT(1);
fourier.GaussianHighpass(dlg.m_nCutoff);
fourier.FFT(-1);
CDib dib;
fourier.GetImage(dib);
AfxNewImage(dib);
}
}
void CImageToolDoc::OnEdgeRoberts()
{
CDib dib = m_Dib;
DibEdgeRoberts(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnEdgePrewitt()
{
CDib dib = m_Dib;
DibEdgePrewitt(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnEdgeSobel()
{
CDib dib = m_Dib;
DibEdgeSobel(dib);
AfxNewImage(dib);
}
void CImageToolDoc::OnHoughLine()
{
CDib dib = m_Dib;
LineParam line = DibHoughLine(dib);
DibDrawLine(dib, line, 255);
AfxNewImage(dib);
CString str;
str.Format(_T("허프 변환 결과:\n\nrho = %lf, ang = %lf"), line.rho, line.ang);
AfxMessageBox(str);
}
void CImageToolDoc::OnHarrisCorner()
{
CHarrisDlg dlg;
if( dlg.DoModal() == IDOK )
{
CornerPoints cp;
cp = DibHarrisCorner(m_Dib, dlg.m_nThreshold);
CDib dib = m_Dib;
BYTE** ptr = dib.GetPtr();
int i, x, y;
for( i = 0 ; i < cp.num ; i++ )
{
x = cp.x[i];
y = cp.y[i];
ptr[y-1][x-1] = ptr[y-1][x] = ptr[y-1][x+1] = 0;
ptr[y ][x-1] = ptr[y ][x] = ptr[y ][x+1] = 0;
ptr[y+1][x-1] = ptr[y+1][x] = ptr[y+1][x+1] = 0;
}
AfxNewImage(dib);
}
}
| [
"hjh4638@naver.com"
] | hjh4638@naver.com |
166adaf0aa3bdeec395bfe86cb80ca65ddb20cae | af0ecafb5428bd556d49575da2a72f6f80d3d14b | /CodeJamCrawler/dataset/10_12711_50.cpp | 393a3bd927971178df6460b7cbf8408576ce53e8 | [] | no_license | gbrlas/AVSP | 0a2a08be5661c1b4a2238e875b6cdc88b4ee0997 | e259090bf282694676b2568023745f9ffb6d73fd | refs/heads/master | 2021-06-16T22:25:41.585830 | 2017-06-09T06:32:01 | 2017-06-09T06:32:01 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,612 | cpp | #include <vector>
#include <map>
#include <set>
#include <queue>
#include <list>
#include <stack>
#include <algorithm>
#include <functional>
#include <numeric>
#include <utility>
#include <sstream>
#include <iostream>
#include <cstdio>
#include <cmath>
#include <cstdlib>
#include <cctype>
#include <string>
#include <cstring>
#include <fstream>
#include <ext/hash_map>
// C++ Big Integer Library
// http://mattmccutchen.net/bigint/
//#include "BigIntegerLibrary.hh"
using namespace std;
//using namespace __gnu_cxx;
#define ALL(x) (x).begin(), (x).end()
#define SZ(x) ((int)(x).size())
typedef pair<int, int> PII;
typedef long long LL;
typedef vector<vector<int> > VII;
typedef vector<int> VI;
typedef vector<PII> VPII;
typedef vector<double> VD;
typedef vector<vector<double> > VVD;
int dia[110][110];
void runCase(int caseNum) {
int k;
cin >> k;
memset(dia, 0xff, sizeof(dia));
for (int i = 0; i < k; ++i) {
for (int j = 0; j <= i; ++j)
cin >> dia[i][k - 1 - i + 2 * j];
}
for (int i = k; i < 2 * k - 1; ++i) {
for (int j = 0; j < 2 * k - i - 1; ++j) {
cin >> dia[i][i - k + 1 + 2 * j];
}
}
// for (int i = 0; i < 2 * k ; ++i) {
// for (int j = 0; j < 2 * k; ++j) {
// cout << dia[i][j] << " ";
// }
// cout << endl;
// }
// cout << endl;
int res = 100;
for (int cx = 0; cx < 2 * k - 1; ++cx) {
for (int cy = 0; cy < 2 * k - 1; ++cy) {
//cout << cx << " " << cy << endl;
bool OK = true;
for (int y = 0; y < 2 * k - 1; ++y) {
int lim = 0;
if (cx < k - 1) {
lim = cx - abs(k - 1 - y);
} else
lim = (2 * k - 2 - abs(k - 1 - y)) - cx;
for (int i = 1; i <= lim ; ++i) {
//cout << "x check: " << cx + i << " " << cx - i << " " << y << endl;
if (dia[y][cx + i] != dia[y][cx - i]) {
//cout << "x bad: " << cx + i << " " << cx - i << " y: " << y << endl;
OK = false;
break;
}
}
if (!OK)
break;
}
for (int x = 0; x < 2 * k - 1; ++x) {
int lim = 0;
if (cy < k - 1) {
lim = cy - abs(k - 1 - x);
} else
lim = (2 * k - 2 - abs(k - 1 - x)) - cy;
for (int i = 1; i <= lim; ++i) {
if (dia[cy + i][x] != dia[cy - i][x]) {
//cout << "y bad";
OK = false;
break;
}
}
if (!OK)
break;
}
if (OK) {
//cout << cx << " " << cy << endl;
res = min(res, abs(k - 1 - cx) + abs(k - 1 - cy));
}
}
}
int r = (k + res) * (k + res + 1) / 2 + (k + res) * (k + res - 1) / 2
- k * (k + 1) / 2 - k * (k - 1) / 2;
cout << "Case #" << caseNum << ": " << r << endl;
}
int main(int argc, char* argv[])
{
#ifdef __TSUN
freopen("input.txt", "r", stdin);
freopen("output.txt", "w", stdout);
#endif
int t;
cin >> t;
for (int i = 0; i < t; ++i)
runCase(i + 1);
//runCase(0);
#ifdef __TSUN
fclose(stdin);
fclose(stdout);
#endif
return 0;
}
//a
| [
"nikola.mrzljak@fer.hr"
] | nikola.mrzljak@fer.hr |
d9ac5414ab04ede248642de0992bc51c909183ed | 57d545e4d1b6304225b7748333df80225f6c4694 | /chapter8/exercise_8_7.cpp | a53b5826b956c8702002a228c57fd8110a248d85 | [] | no_license | Silent77/learn_cpp | 1d1edd66ef88ea2c7fb91593996e3c18bb469461 | 3d7c60bb284b7ce7f7338f8dd2689ddd09a9a451 | refs/heads/master | 2016-09-05T14:03:25.396508 | 2015-04-21T13:57:26 | 2015-04-21T13:57:26 | 33,605,553 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,236 | cpp | /*
* File: exercise_8_7.cpp
* Author: tarnavskiyya
*
* Created on 15 квітня 2015, 10:25
*/
#include <cstdlib>
#include <iostream>
template <typename T> int ShowArray (T arr[], int n);
template <typename T> double ShowArray (T* arr[], int n);
struct debts
{
char name[50];
double ammount;
};
/*
*
*/
int main(int argc, char** argv) {
using namespace std;
int things[6]={13,31,103,301,310,130};
debts mr_E[3]={
{"Ima Wolfe",2400.0},
{"Ura Foxe",1300.0},
{"Iby Stout",1800.0}
};
double* pd[3];
for (int i=0;i<3;i++)
pd[i]=&mr_E[i].ammount;
cout<<"The total value of things of sitizen E.:"<<ShowArray(things,6)<<endl;
cout<<"The sum of debts of sitizen E.:"<<ShowArray(pd,3)<<endl;
return 0;
}
template <typename T> int ShowArray (T arr[], int n)
{
using namespace std;
int sum=0;
cout<<"Template A\n";
for(int i=0;i<n;i++)
sum+=arr[i];
return sum;
}
template <typename T> double ShowArray (T* arr[], int n)
{
using namespace std;
double sum=0;
cout<<"Template B\n";
for(int i=0;i<n;i++)
sum+=*arr[i];
return sum;
}
| [
"tarnavskiyya@in-tarnavskiyya.CORP.ICS.COM.UA"
] | tarnavskiyya@in-tarnavskiyya.CORP.ICS.COM.UA |
4021a6a94c95da7325061a27ce1a98052623bb63 | d94b6845aeeb412aac6850b70e22628bc84d1d6d | /scann/scann/oss_wrappers/scann_threadpool.h | d0a4f8d80fe4cb86ee1960f0248e0fcad1acbb09 | [
"CC-BY-4.0",
"Apache-2.0"
] | permissive | ishine/google-research | 541aea114a68ced68736340e037fc0f8257d1ea2 | c1ae273841592fce4c993bf35cdd0a6424e73da4 | refs/heads/master | 2023-06-08T23:02:25.502203 | 2023-05-31T01:00:56 | 2023-05-31T01:06:45 | 242,478,569 | 0 | 0 | Apache-2.0 | 2020-06-23T01:55:11 | 2020-02-23T07:59:42 | Jupyter Notebook | UTF-8 | C++ | false | false | 830 | h | // Copyright 2023 The Google Research Authors.
//
// 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 SCANN_OSS_WRAPPERS_SCANN_THREADPOOL_H_
#define SCANN_OSS_WRAPPERS_SCANN_THREADPOOL_H_
#include "tensorflow/core/lib/core/threadpool.h"
namespace research_scann {
using ::tensorflow::thread::ThreadPool;
}
#endif
| [
"copybara-worker@google.com"
] | copybara-worker@google.com |
59edc621ce5d196dab67750ef98c800cabc3cd49 | 8ee0be0b14ec99858712a5c37df4116a52cb9801 | /LIB_Util/CProcess.h | e8fc506b4c58ea3df22761270e9e1281057f4756 | [] | no_license | eRose-DatabaseCleaning/Sources-non-evo | 47968c0a4fd773d6ff8c9eb509ad19caf3f48d59 | 2b152f5dba3bce3c135d98504ebb7be5a6c0660e | refs/heads/master | 2021-01-13T14:31:36.871082 | 2019-05-24T14:46:41 | 2019-05-24T14:46:41 | 72,851,710 | 6 | 3 | null | 2016-11-14T23:30:24 | 2016-11-04T13:47:51 | C++ | UTF-8 | C++ | false | false | 778 | h | #ifndef __CPROCESS_H
#define __CPROCESS_H
#include <psapi.h>
#include <Tlhelp32.h>
//-------------------------------------------------------------------------------------------------
typedef bool (__stdcall *CALLBACK_FINDPROCESS) ( DWORD dwPID, char *szFileName );
class CProcess {
public :
static DWORD FindThread (DWORD dwProcessID);
static DWORD FindProcessWithCallBack ( CALLBACK_FINDPROCESS CallBackFunc );
static DWORD FindProcess ( char *szExeName );
static BOOL KillProcess ( DWORD dwPID );
static HWND GetWindowHandleWithProcessID (DWORD dwPID);
static HWND GetWindowHandleWithFileName (char *szFileName);
} ;
//-------------------------------------------------------------------------------------------------
#endif | [
"hugo.delannoy@hotmail.com"
] | hugo.delannoy@hotmail.com |
206b36d9bddf1913fb0bdf173fcf993ea7246804 | 3cd4cf4e97946611f6ccbb7354bc4b3a13208c3a | /tests/generic_receiver.cpp | 7a3f9718f05d5a0afb682cbfa9d37f80abe6699e | [] | no_license | UIKit0/eitoolkit | e9f4ba2e23a4404548cb33119d940f6c49e3a50c | 1722087b16ce7ff10c340b9e690e263ff132dfed | refs/heads/master | 2021-01-20T23:31:56.200246 | 2012-11-25T15:07:10 | 2012-11-25T15:07:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 741 | cpp | #include <EIToolkit.h>
#include <iostream>
#include <algorithm>
class ExampleListener : public EI::DataListener
{
public:
void onMessage(EI::DataMessage p) {
std::cout << "Data: " << p.getSender() << " " << p.getMsgType() << std::endl;
auto c = p.getContent();
std::for_each(c.begin(), c.end(),
[](std::pair<const std::string, EI::Value> const& pair)
{
std::cout << pair.first << " " << pair.second << std::endl;
});
}
};
int main()
{
std::cout << "generic_receiver" << std::endl;
EI::StringMap options;
EI::Receiver receiver(options);
ExampleListener listener;
receiver.addDataListener(&listener);
std::cin.get();
}
| [
"hanikesn@studi.informatik.uni-stuttgart.de"
] | hanikesn@studi.informatik.uni-stuttgart.de |
4d9f823e0a1b38d809279d9ed8a46615217b42e3 | a72d5ef2954f8957e5e86d8160772ecfa2751e6e | /ProjectEuler/Problem1/Problem1.cpp | 871b69f4203212521330b21b7b99cafe88672c76 | [] | no_license | ygorshkov/ProjectEuler | 64e80e014f99151a18a6967717db7fdcf9264b18 | 7c29fa5eea9df134ef12e6bcc115dca08356ca9b | refs/heads/master | 2016-09-08T02:07:56.401367 | 2014-02-03T19:11:54 | 2014-02-03T19:11:54 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 149 | cpp | //
// Problem1.cpp
// ProjectEuler
//
// Created by yury on 03/02/14.
// Copyright (c) 2014 yury. All rights reserved.
//
#include "Problem1.h"
| [
"yuriy.gorshkov@gmail.com"
] | yuriy.gorshkov@gmail.com |
7c02ea4488054745a716452e647ea50d62322251 | b2e49d93b0fdc4ffb6398aed4d85038f3235c125 | /Engine/Render/R9TexturePool.h | 1e5084cd989fb67238669d6380b74acb52d8f6c0 | [] | no_license | leprosarium/prolozzy | 43111a391f3a5d89915a7a458ee906a2df443e24 | 0049a5b7f7c47fad451c11ff21eb0868da4c7404 | refs/heads/master | 2021-01-17T10:06:08.835533 | 2016-10-08T11:21:39 | 2016-10-08T11:21:39 | 7,211,108 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,134 | h | ///////////////////////////////////////////////////////////////////////////////////////////////////
// R9TexturePool.h
// Texture pool manager
///////////////////////////////////////////////////////////////////////////////////////////////////
#ifndef __R9TEXTUREPOOL_H__
#define __R9TEXTUREPOOL_H__
#include "R9Render.h"
#include <vector>
#include <unordered_map>
class r9TexturePool : private std::vector<R9TEXTURE>
{
public:
r9TexturePool() {};
void Done();
int Add( R9TEXTURE texture, const std::wstring & name ); // add a specific texture, return index
int Load( const std::wstring & name, bool noduplicate = true );// load a texture by file; if noduplicate and texture already in pool, the same index is returned
int Find( const std::wstring & name ); // search for a texture; return index
R9TEXTURE Get( int idx ) { if(idx >= 0 && static_cast<size_type>(idx) < size()) return (*this)[idx]; return 0; }
typedef std::unordered_map<std::wstring, int> Hash;
Hash index;
};
#endif
///////////////////////////////////////////////////////////////////////////////////////////////////
| [
"leprosarium@gmail.com"
] | leprosarium@gmail.com |
30a8b84387e6c9cf1f50d367380d3eab4c4f5031 | 6c5cb0ab6d6ce84364307f8974299edfb3b58b62 | /src/io/FilereaderEms.h | 5718295a1cad550e55bb172a5efc18a4af2790eb | [
"MIT"
] | permissive | zhihaoy/HiGHS | ed298e5d258f382e51ad895148c87a6287b88c57 | e29514656e96cce59569853e0919dea6bf4598a2 | refs/heads/master | 2020-04-21T11:54:53.476622 | 2019-02-06T09:25:02 | 2019-02-06T09:25:02 | 169,544,106 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,235 | h | /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
/* */
/* This file is part of the HiGHS linear optimization suite */
/* */
/* Written and engineered 2008-2019 at the University of Edinburgh */
/* */
/* Available as open-source under the MIT License */
/* */
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
/**@file io/FilereaderEms.h
* @brief
* @author Julian Hall, Ivet Galabova, Qi Huangfu and Michael Feldmeier
*/
#ifndef IO_FILEREADER_EMS_H_
#define IO_FILEREADER_EMS_H_
#include <list>
#include "Filereader.h"
#include "HighsIO.h" // For messages.
class FilereaderEms : public Filereader {
public:
FilereaderRetcode readModelFromFile(const char* filename, HighsLp& model);
FilereaderRetcode writeModelToFile(const char* filename, HighsLp& model);
FilereaderRetcode readModelFromFile(const char* filename, HighsModel& model);
};
#endif
| [
"galabovaa@gmail.com"
] | galabovaa@gmail.com |
128589580b8227b6761c82452ea0bb8a1ae8ebfb | a5897029e989b538d2919cf81a3699153ca00993 | /myRepo/FloodEm/mainwindow.cpp | 27dc364fad44ffa42ed0590c230cb5f52973e17d | [] | no_license | BlackCupid/leiboldm | f3382ff567210b9949630c0c686ffb39d8e5170a | 62d938680a5b6458bfef75da2734fd86ab059819 | refs/heads/master | 2021-01-13T01:27:44.379740 | 2014-02-02T00:38:43 | 2014-02-02T00:38:43 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 106 | cpp | #include "mainwindow.h"
MainWindow::MainWindow()
: mainmenu(MainMenu(this))
{
mainmenu.show();
}
| [
"leiboldm@umich.edu"
] | leiboldm@umich.edu |
65a13da8687b43c52a285771db9303a6f1f88785 | cbfc126095d958ce2e5e37adcb1e0f0be839c007 | /C++程式設計/ch16/CH16_04.cpp | a80142bec11f6dcc31623b6ddeca7d37c64584a9 | [] | no_license | LaZoark/NIU_programming | 1dc23e0395db53e839b1a902b53ee2faa92cc01c | 8ac36310ba4af8e306e07b90e339b98ec469b8c7 | refs/heads/master | 2020-05-16T04:17:03.011449 | 2019-08-25T16:07:48 | 2019-08-25T16:07:48 | 182,770,420 | 1 | 0 | null | null | null | null | GB18030 | C++ | false | false | 595 | cpp | #include<iostream>
#include<cstdlib>
using namespace std;
int main()
{
int num; // 俱计跑计num
cout<<"块num";
cin>>num; // 块跑计num
try
{
// 安跑计num10τ20碞メ俱计ㄒ
if ((num > 10) && (num < 20))
{
throw 1;
}
// 安跑计num10碞メじㄒ
if (num < 10)
{
throw '*';
}
}
catch(...) // ┮Τㄒ
{
cout<<"ヘ玡琌パcatch(...)ㄒ"<<endl;
}
system("pause");
return 0;
}
| [
"emersonchen086@icloud.com"
] | emersonchen086@icloud.com |
2dc550f5d098a9258392ccd3a53c0a6883b4e219 | 8036f2558dd6e459faab422fa3d230374596974f | /test/beast/websocket/ping.cpp | bb7fe3c2a84cacda1720f442c22cc7a7b6ce18ab | [
"BSL-1.0",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | inetknght/Beast | d5a4146bea8253fd08d69397142d2fc7242a8d05 | 1f29a74d3e6cdd22f7505349f1d7d82c1e13dd81 | refs/heads/develop | 2020-12-02T17:56:34.001826 | 2017-08-24T23:56:56 | 2017-08-24T23:56:56 | 96,451,165 | 0 | 0 | null | 2017-07-06T16:36:56 | 2017-07-06T16:36:56 | null | UTF-8 | C++ | false | false | 5,797 | cpp | //
// Copyright (w) 2016-2017 Vinnie Falco (vinnie dot falco at gmail dot com)
//
// Distributed under the Boost Software License, Version 1.0. (See accompanying
// file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
//
// Official repository: https://github.com/boostorg/beast
//
// Test that header file is self-contained.
#include <boost/beast/websocket/stream.hpp>
#include "test.hpp"
namespace boost {
namespace beast {
namespace websocket {
class stream_ping_test : public websocket_test_suite
{
public:
template<class Wrap>
void
doTestPing(Wrap const& w)
{
permessage_deflate pmd;
pmd.client_enable = false;
pmd.server_enable = false;
// ping
doTest(pmd, [&](ws_type& ws)
{
w.ping(ws, {});
});
// pong
doTest(pmd, [&](ws_type& ws)
{
w.pong(ws, {});
});
}
void
testPing()
{
doTestPing(SyncClient{});
yield_to([&](yield_context yield)
{
doTestPing(AsyncClient{yield});
});
// ping, already closed
{
stream<test::stream> ws{ios_};
error_code ec;
ws.ping({}, ec);
BEAST_EXPECTS(
ec == boost::asio::error::operation_aborted,
ec.message());
}
// async_ping, already closed
{
boost::asio::io_service ios;
stream<test::stream> ws{ios};
ws.async_ping({},
[&](error_code ec)
{
BEAST_EXPECTS(
ec == boost::asio::error::operation_aborted,
ec.message());
});
ios.run();
}
// pong, already closed
{
stream<test::stream> ws{ios_};
error_code ec;
ws.pong({}, ec);
BEAST_EXPECTS(
ec == boost::asio::error::operation_aborted,
ec.message());
}
// async_pong, already closed
{
boost::asio::io_service ios;
stream<test::stream> ws{ios};
ws.async_pong({},
[&](error_code ec)
{
BEAST_EXPECTS(
ec == boost::asio::error::operation_aborted,
ec.message());
});
ios.run();
}
// suspend on write
{
echo_server es{log};
error_code ec;
boost::asio::io_service ios;
stream<test::stream> ws{ios};
ws.next_layer().connect(es.stream());
ws.handshake("localhost", "/", ec);
BEAST_EXPECTS(! ec, ec.message());
std::size_t count = 0;
ws.async_write(sbuf("*"),
[&](error_code ec)
{
++count;
BEAST_EXPECTS(! ec, ec.message());
});
BEAST_EXPECT(ws.wr_block_);
ws.async_ping("",
[&](error_code ec)
{
++count;
BEAST_EXPECTS(
ec == boost::asio::error::operation_aborted,
ec.message());
});
ws.async_close({}, [&](error_code){});
ios.run();
BEAST_EXPECT(count == 2);
}
}
void
testPingSuspend()
{
echo_server es{log, kind::async};
boost::asio::io_service ios;
stream<test::stream> ws{ios};
ws.next_layer().connect(es.stream());
ws.handshake("localhost", "/");
// Cause close to be received
es.async_close();
multi_buffer b;
std::size_t count = 0;
// Read a close frame.
// Sends a close frame, blocking writes.
ws.async_read(b,
[&](error_code ec, std::size_t)
{
// Read should complete with error::closed
++count;
BEAST_EXPECTS(ec == error::closed,
ec.message());
// Pings after a close are aborted
ws.async_ping("",
[&](error_code ec)
{
++count;
BEAST_EXPECTS(ec == boost::asio::
error::operation_aborted,
ec.message());
});
});
if(! BEAST_EXPECT(run_until(ios, 100,
[&]{ return ws.wr_close_; })))
return;
// Try to ping
ws.async_ping("payload",
[&](error_code ec)
{
// Pings after a close are aborted
++count;
BEAST_EXPECTS(ec == boost::asio::
error::operation_aborted,
ec.message());
// Subsequent calls to close are aborted
ws.async_close({},
[&](error_code ec)
{
++count;
BEAST_EXPECTS(ec == boost::asio::
error::operation_aborted,
ec.message());
});
});
static std::size_t constexpr limit = 100;
std::size_t n;
for(n = 0; n < limit; ++n)
{
if(count >= 4)
break;
ios.run_one();
}
BEAST_EXPECT(n < limit);
ios.run();
}
void
run() override
{
testPing();
testPingSuspend();
}
};
BEAST_DEFINE_TESTSUITE(beast,websocket,stream_ping);
} // websocket
} // beast
} // boost
| [
"vinnie.falco@gmail.com"
] | vinnie.falco@gmail.com |
263c7f988a143cb85d5c75b69bd009607b2f78cc | c851236c2a3f08f99a1760043080b0a664cf3d92 | /FindinarrAi+Aj=Al+Ar.cpp | e53dfdf519832e11e1c81037d9b6766b0596ac40 | [] | no_license | Anubhav12345678/competitive-programming | 121ba61645f1edc329edb41515e951b9e510958f | 702cd59a159eafacabc705b218989349572421f9 | refs/heads/master | 2023-01-20T08:12:54.008789 | 2020-11-18T10:23:42 | 2020-11-18T10:23:42 | 313,863,914 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,548 | cpp | vector<int> Solution::equal(vector<int> &A) {
int N = A.size();
// With every sum, we store the lexicographically first occuring pair of integers.
map<int, pair<int, int> > Hash;
vector<int> Ans;
for(int i = 0; i < N; ++i) {
for(int j = i + 1; j < N; ++j) {
int Sum = A[i] + A[j];
if (Hash.find(Sum) == Hash.end()) {
Hash[Sum] = make_pair(i, j);
continue;
}
pair<int, int> p1 = Hash[Sum];
if(p1.first != i && p1.first != j && p1.second != i && p1.second != j) {
vector<int> ans;
ans.push_back(p1.first);
ans.push_back(p1.second);
ans.push_back(i);
ans.push_back(j);
if (Ans.size() == 0) Ans = ans;
else {
// compare and assign Ans
bool shouldReplace = false;
for (int i1 = 0; i1 < Ans.size(); i1++) {
if (Ans[i1] < ans[i1]) break;
if (Ans[i1] > ans[i1]) {
shouldReplace = true;
break;
}
}
if (shouldReplace) Ans = ans;
}
}
}
}
return Ans;
}
| [
"anubhavgupta408@gmail.com"
] | anubhavgupta408@gmail.com |
a486c395243b73d7d8d47684651364d93a1efd91 | 3e89c93e49bc10087384a58b468e8a36ead2a045 | /prefs.h | 06c7516c383ecb5bacad3f85ae4038647b6aada5 | [] | no_license | psi-4ward/ESP32-CAM-Servo | e97b0f82d8ed5c59a9d709ed3bc45b330b383fe4 | 54ce87ee01fb25f92aa7c5b3a03ed4ec17cb6565 | refs/heads/master | 2020-12-03T17:52:55.870005 | 2020-01-02T16:06:24 | 2020-01-02T16:06:24 | 231,417,568 | 0 | 0 | null | 2020-01-02T16:19:24 | 2020-01-02T16:19:23 | null | UTF-8 | C++ | false | false | 3,402 | h | /*
* prefs.h
*
* Created on: 1 Jan 2020
* Author: pechj
*/
#ifndef PREFS_H_
#define PREFS_H_
const char * PREFS_KEY_SERVOPOS = "servopos";
const char * PREFS_KEY_USEFLASHLIGHT = "useflashlight";
const char * nvs_errors[] = { "OTHER", "NOT_INITIALIZED", "NOT_FOUND", "TYPE_MISMATCH", "READ_ONLY", "NOT_ENOUGH_SPACE", "INVALID_NAME", "INVALIDprefs_handle", "REMOVE_FAILED", "KEY_TOO_LONG", "PAGE_FULL", "INVALID_STATE", "INVALID_LENGHT"};
#define nvs_error(e) (((e)>ESP_ERR_NVS_BASE)?nvs_errors[(e)&~(ESP_ERR_NVS_BASE)]:nvs_errors[0])
class NVSPreferences {
protected:
uint32_t prefs_handle;
bool prefs_open;
public:
NVSPreferences() : prefs_handle(0), prefs_open(false) {}
virtual ~NVSPreferences () {}
size_t getPrefsFree() {
nvs_stats_t nvs_stats;
esp_err_t err = nvs_get_stats(NULL, &nvs_stats);
if(err){
log_e("Failed to get nvs statistics");
return 0;
}
return nvs_stats.free_entries;
}
bool init(const char * name) {
if(prefs_open){
return false;
}
esp_err_t err = nvs_open(name, NVS_READWRITE, &prefs_handle);
if(err){
log_e("nvs_open failed: %s", nvs_error(err));
return false;
}
log_i("NVS free entries: %u", getPrefsFree());
prefs_open = true;
return true;
}
bool remove(const char * key) {
if (!prefs_open) return false;
esp_err_t err = nvs_erase_key(prefs_handle, key);
if(err){
log_e("nvs_erase_key fail: %s %s", key, nvs_error(err));
return false;
}
return true;
}
size_t putByte(const char* key, uint8_t value){
if(!prefs_open){
return 0;
}
esp_err_t err = nvs_set_u8(prefs_handle, key, value);
if(err){
log_e("nvs_set_u8 fail: %s %s", key, nvs_error(err));
return 0;
}
err = nvs_commit(prefs_handle);
if(err){
log_e("nvs_commit fail: %s %s", key, nvs_error(err));
return 0;
}
return 1;
}
size_t putString(const char* key, const char* value){
if(!prefs_open){
return 0;
}
esp_err_t err = nvs_set_str(prefs_handle, key, value);
if(err){
log_e("nvs_set_str fail: %s %s", key, nvs_error(err));
return 0;
}
err = nvs_commit(prefs_handle);
if(err){
log_e("nvs_commit fail: %s %s", key, nvs_error(err));
return 0;
}
return strlen(value);
}
size_t putString(const char* key, const String value){
return putString(key, value.c_str());
}
uint8_t getByte(const char* key, const uint8_t defaultValue){
uint8_t value = defaultValue;
if(!prefs_open){
return value;
}
esp_err_t err = nvs_get_u8(prefs_handle, key, &value);
if(err){
log_v("nvs_get_u8 fail: %s %s", key, nvs_error(err));
}
return value;
}
String getString(const char* key, const String defaultValue){
char * value = NULL;
size_t len = 0;
if(!prefs_open){
return String(defaultValue);
}
esp_err_t err = nvs_get_str(prefs_handle, key, value, &len);
if(err){
log_e("nvs_get_str len fail: %s %s", key, nvs_error(err));
return String(defaultValue);
}
char buf[len];
value = buf;
err = nvs_get_str(prefs_handle, key, value, &len);
if(err){
log_e("nvs_get_str fail: %s %s", key, nvs_error(err));
return String(defaultValue);
}
return String(buf);
}
};
NVSPreferences Prefs;
#endif /* PREFS_H_ */
| [
"jp112sdl@icloud.com"
] | jp112sdl@icloud.com |
d4b4f6f73112ac94ec8dcca914e7d800307de905 | 32a9356bc4e0af62eb960c89ab3adc373812675f | /contrib/CCF/CCF/CCF/IDL2/Traversal/Exception.hpp | 71d9fbbf756495cba88c0c9b5a1d5fb88316caba | [] | no_license | DOCGroup/XSC | 0c2ce163a307f9d20366d707f772ff1f04c72261 | b85458b18b95bf81dc9c807d8d06768111b22172 | refs/heads/master | 2023-08-25T18:53:51.641598 | 2022-05-10T14:18:58 | 2022-05-10T14:18:58 | 27,931,533 | 4 | 3 | null | 2023-09-11T06:12:54 | 2014-12-12T17:54:46 | C++ | UTF-8 | C++ | false | false | 667 | hpp | // file : CCF/IDL2/Traversal/Exception.hpp
// author : Boris Kolpackov <boris@dre.vanderbilt.edu>
#ifndef CCF_IDL2_TRAVERSAL_EXCEPTION_HPP
#define CCF_IDL2_TRAVERSAL_EXCEPTION_HPP
#include "CCF/IDL2/Traversal/Elements.hpp"
#include "CCF/IDL2/SemanticGraph/Exception.hpp"
namespace CCF
{
namespace IDL2
{
namespace Traversal
{
struct Exception : ScopeTemplate<SemanticGraph::Exception>
{
virtual void
traverse (Type&);
virtual void
pre (Type&);
virtual void
name (Type&);
virtual void
post (Type&);
};
}
}
}
#endif // CCF_IDL2_TRAVERSAL_EXCEPTION_HPP
| [
"hillj@cs.iupui.edu"
] | hillj@cs.iupui.edu |
8835f9952cbee222c68d0461606bb0519227241f | 82978ce8b813c8f44da9752f465a191b54d19371 | /src/sqlitemm/connection.cc | 0c8106c89060f16ae8c8510c03d867f8089ed8ca | [
"ISC"
] | permissive | nagisa/gsqlite | 240a41369d81e079b9e1b311ce5871d3c786347a | b1738d639ae9b7de4ebf24cef7e0002b1c8895d2 | refs/heads/master | 2020-06-08T15:51:09.801596 | 2015-01-11T19:00:39 | 2015-01-11T19:00:39 | 29,102,204 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,271 | cc | #include "error.hh"
#include "connection.hh"
#include "statement.hh"
Connection::Connection(const char *filename)
: Glib::ObjectBase(typeid(Connection))
, handle(nullptr)
{
int ret = SQLITE_OK;
if((ret = sqlite3_open(filename, &this->handle)) != SQLITE_OK)
throw SQLiteError(ret);
this->thread = Glib::Threads::Thread::create([this](){
this->worker();
});
}
std::shared_ptr<Connection>
Connection::create(const char *filename)
{
std::shared_ptr<Connection> c(new Connection(filename));
c->self = c;
return std::move(c);
}
Connection::~Connection()
{
int ret = SQLITE_ERROR;
// Finalize the worker thread. This makes the destructor
// a potentially time intensive task.
this->add_job([](){
throw Glib::Threads::Thread::Exit();
});
this->thread->join();
ret = sqlite3_close(this->handle);
if(ret != SQLITE_OK) {
// In case of sound API this should never happen.
throw SQLiteError(*this);
}
this->thread = NULL;
this->handle = NULL;
}
Statement*
Connection::prepare(const char *query, int nByte, const char **tail)
{
sqlite3_stmt *stmt;
int err = sqlite3_prepare_v2(this->handle, query, nByte, &stmt, tail);
if(err != SQLITE_OK)
throw SQLiteError(*this);
// Keep a pointer to self in every statement so the connection
// cannot be destroyed before all the statements are finalized.
std::shared_ptr<Connection> self(this->self);
return new Statement{stmt, self, [this](jobfn_t job){
this->add_job(job);
}};
}
int
Connection::error_code() const
{
return sqlite3_errcode(this->handle);
}
Glib::ustring
Connection::error_message() const
{
return { sqlite3_errmsg(this->handle) };
}
void
Connection::worker()
{
while(true){
jobfn_t job;
{
Glib::Threads::Mutex::Lock lock(this->queue_mtx);
while(this->queue.empty())
this->queue_push.wait(this->queue_mtx);
job = this->queue.front();
this->queue.pop();
}
job();
}
}
void
Connection::add_job(jobfn_t job)
{
{
Glib::Threads::Mutex::Lock lock(this->queue_mtx);
this->queue.push(job);
}
this->queue_push.signal();
}
| [
"git@kazlauskas.me"
] | git@kazlauskas.me |
d7797efc8a8df539955f3e73185f71818914555b | 55ad360a2f0111b9dc9fc8d351cda82cdc244401 | /C++ STL/Container Adapter/Priority Queue/Priority_Queue_Examples.cpp | afa07ad139fa0b54194c594522c279f89cd2988e | [] | no_license | SeungoneKim/algorithms | 6afc8823d6a96f91059b97d7f1081571f66d5d90 | 3fdc0a808eb22dc8c92630acb87ef34fe306d9ca | refs/heads/master | 2023-03-15T06:20:58.274880 | 2021-03-20T06:48:25 | 2021-03-20T06:48:25 | 323,091,647 | 8 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 550 | cpp | /*
Priority queue is generally backed by a heap.
Meanwhile, Set/MultiSet is generally backed by a binary tree.
Binary Trees sort sideways, while heaps sort upwards.
So, while we can know the relationship of L,P,R in a binary tree.
But, we could not know the realtionship of L,R in a heap.
The main difference is that priority queue only gives access to one element.
Meanwhile, Sets allow full access to every element.
https://stackoverflow.com/questions/10141841/difference-between-stdset-and-stdpriority-queue
*/
| [
"louisdebroglie@yonsei.ac.kr"
] | louisdebroglie@yonsei.ac.kr |
ff45e0f1c67dbce716692a4a99a8bb84a9c47f09 | 9bb5882c632034423a85038098800385fe5be49f | /03_Camera.cpp | c1bcee2a28941b1435ff7961f340bfde72147eac | [] | no_license | darkodraskovic/glexamples | 08a1674f1c420bcbd52268db2539174f39496e2f | 253d36704c3a311bf91840f51dea8d0259423202 | refs/heads/master | 2020-05-24T04:33:56.508013 | 2020-04-09T14:59:18 | 2020-04-09T14:59:18 | 187,094,970 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,202 | cpp | #include <glad/glad.h>
#include <GLFW/glfw3.h>
#include "Application.h"
#include "Shader.h"
#include "Cube.h"
#include "zzz.h"
int main()
{
// Application init
// ---------------------------------------------------------------------------
Application app;
if (app.Init() < 0)
{
std::cout << "Failed to create an OpenGL app" << std::endl;
return -1;
};
// Application CONTENT
// ---------------------------------------------------------------------------
Shader vColShader( "../shaders/VCol.vs", "../shaders/VCol.fs");
Cube cube1(vColShader);
app.models_.push_back(&cube1);
Cube cube2(vColShader);
cube2.Translate(-zzz::ONE);
app.models_.push_back(&cube2);
Cube cube3(vColShader);
cube3.Translate(zzz::ONE);
app.models_.push_back(&cube3);
app.camera_.position_.z = 7.0f;
// Application loop
// ---------------------------------------------------------------------------
while (!app.ShouldClose())
{
app.Update();
}
// Application termination
// ---------------------------------------------------------------------------
app.Terminate();
return 0;
}
| [
"darko.draskovic@gmail.com"
] | darko.draskovic@gmail.com |
cd61f09ac101b19bb3531f2fe4f62805f9c655f4 | 7b4958868c9bd6213ce2520e38efb11d1b183503 | /QDxfParser/DxfConst.h | c5f2887ecfd209ee29ab23463006b80d98ceda84 | [] | no_license | winnersun/QDxfParser | 99a0599d51c5991ab2ed1e391dd3255a61c4f486 | b20352dbaf08e1a8143df6b17bbfc228db673029 | refs/heads/master | 2016-08-07T22:54:48.376428 | 2015-07-20T06:22:21 | 2015-07-20T06:22:21 | 39,050,574 | 6 | 1 | null | 2015-07-20T06:22:21 | 2015-07-14T03:07:34 | C++ | UTF-8 | C++ | false | false | 786 | h | #ifndef DXFCONST_H
#define DXFCONST_H
#include <string>
static const std::string c_sSection = "SECTION";
static const std::string c_sHeader = "HEADER";
static const std::string c_sEndsec = "ENDSEC";
static const std::string c_sTables = "TABLES";
static const std::string c_sTable = "TABLE";
static const std::string c_sEndtab = "ENDTAB";
static const std::string c_sLtype = "LTYPE";
static const std::string c_sLayer = "LAYER";
static const std::string c_sStyle = "STYLE";
static const std::string c_sEntities = "ENTITIES";
static const std::string c_sText = "TEXT";
static const std::string c_sLine = "LINE";
static const std::string c_sEOF = "EOF";
#endif // DXFCONST_H | [
"sunxb@pm.glodon.com"
] | sunxb@pm.glodon.com |
0ca5405d0369dbac63a4fbe00113052a7938a1fd | 9690f3a5615dc096927e9a971a0e641841372373 | /VehicleSim/src/input/MotorInput.cpp | 1562b6283d6adae5002f610916130c4e05627c37 | [
"BSD-2-Clause"
] | permissive | Catchouli-old/Box2DSandbox | 992251a4e4224f358daec35881e958a187d5ad6c | ed90e246cc3a442d349b4ce64ff57e7ed6be124b | refs/heads/master | 2020-05-20T02:17:12.009768 | 2014-04-01T03:53:17 | 2014-04-01T03:53:17 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,515 | cpp | #include "input/MotorInput.h"
namespace vlr
{
MotorInput::MotorInput()
: _enabled(false), _maxForce(0), _speed(0),
_forwardButton(GLFW_KEY_UNKNOWN), _reverseButton(GLFW_KEY_UNKNOWN)
{
}
void MotorInput::update(GLFWwindow* window, b2Joint* joint)
{
if (!_enabled)
return;
bool forwardKey = glfwGetKey(window, _forwardButton) != 0;
bool reverseKey = glfwGetKey(window, _reverseButton) != 0;
bool enableMotor = _enabled && (forwardKey != reverseKey);
switch (joint->GetType())
{
case b2JointType::e_revoluteJoint:
{
b2RevoluteJoint* specJoint = (b2RevoluteJoint*)joint;
specJoint->EnableMotor(enableMotor);
if (enableMotor)
{
specJoint->SetMaxMotorTorque(_maxForce);
specJoint->SetMotorSpeed(_speed * (reverseKey ? -1.0f : 1.0f));
}
}
break;
case b2JointType::e_wheelJoint:
{
b2WheelJoint* specJoint = (b2WheelJoint*)joint;
specJoint->EnableMotor(enableMotor);
if (enableMotor)
{
specJoint->SetMaxMotorTorque(_maxForce);
specJoint->SetMotorSpeed(_speed * (reverseKey ? -1.0f : 1.0f));
}
}
break;
case b2JointType::e_prismaticJoint:
{
b2PrismaticJoint* specJoint = (b2PrismaticJoint*)joint;
specJoint->EnableMotor(enableMotor);
if (enableMotor)
{
specJoint->SetMaxMotorForce(_maxForce);
specJoint->SetMotorSpeed(_speed * (reverseKey ? -1.0f : 1.0f));
}
}
break;
default:
return;
}
}
}
| [
"cat@wilks.so"
] | cat@wilks.so |
804224176a929d43a178c1f0855441d706b038fa | d7869995141b8809ebb300c4aff54ced0c17e057 | /bzoj3894/bzoj3894.cpp | aa77df64c09aabceeb7576f9d871a2e98716dafe | [] | no_license | Kirinosama/code | 8d9e76f3fe70a2166dbe81e12b250dadcbc91bf7 | 584cea66c22201546259e3490c42afe5eb8c6e09 | refs/heads/master | 2021-06-11T18:46:05.096966 | 2019-09-25T12:56:05 | 2019-09-25T12:56:05 | 115,096,572 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,555 | cpp | #include <cstdio>
#include <algorithm>
#include <vector>
using namespace std;
#define INF 1000000000
vector<int> g[30050];
struct lwn{
int u,v,flow,cap;
} a[900050];
int cur[30050],num[30050],d[30050],p[30050],tot,n,m,i,j;
inline void link(int x,int y,int z)
{
a[tot].u=x;a[tot].v=y;a[tot].cap=z;a[tot].flow=0;
g[x].push_back(tot++);
a[tot].u=y;a[tot].v=x;a[tot].cap=a[tot].flow=0;
g[y].push_back(tot++);
}
inline int maxflow(int s,int t)
{
int x=s,ans=0;num[0]=n;
while (d[s]<n){
if (x==t){
int jb=INF;
while (x!=s){
jb=min(jb,a[p[x]].cap-a[p[x]].flow);
x=a[p[x]].u;
}x=t;ans+=jb;
while (x!=s){
a[p[x]].flow+=jb;
a[p[x]^1].flow-=jb;
x=a[p[x]].u;
}
}
bool zw=true;
for (i=cur[x];i<g[x].size();i++) if (a[g[x][i]].cap>a[g[x][i]].flow && d[x]==d[a[g[x][i]].v]+1){
cur[x]=i;p[a[g[x][i]].v]=g[x][i];
x=a[g[x][i]].v;zw=false;break;
}
if (zw){
if (--num[d[x]]==0) return ans;cur[x]=0;
d[x]=n;for (i=cur[x];i<g[x].size();i++) if (a[g[x][i]].cap>a[g[x][i]].flow) d[x]=min(d[x],d[a[g[x][i]].v]+1);
num[d[x]]++;if (x!=s) x=a[p[x]].u;
}
}return ans;
}
int main()
{
scanf("%d%d",&n,&m);int ans=0;
for (i=0;i<n;i++)
for (j=1;j<=m;j++){
int x;scanf("%d",&x);ans+=x;
link(n*m*3+1,i*m+j,x);
}
for (i=0;i<n;i++)
for (j=1;j<=m;j++){
int x;scanf("%d",&x);ans+=x;
link(i*m+j,n*m*3+2,x);
}
for (i=0;i<n;i++)
for (j=1;j<=m;j++){
int x;scanf("%d",&x);ans+=x;
link(n*m*3+1,n*m+i*m+j,x);
link(n*m+i*m+j,i*m+j,INF);
if (i) link(n*m+i*m+j,(i-1)*m+j,INF);
if (j!=1) link(n*m+i*m+j,i*m+j-1,INF);
if (i!=n-1) link(n*m+i*m+j,(i+1)*m+j,INF);
if (j!=m) link(n*m+i*m+j,i*m+j+1,INF);
}
for (i=0;i<n;i++)
for (j=1;j<=m;j++){
int x;scanf("%d",&x);ans+=x;
link(n*m*2+i*m+j,n*m*3+2,x);
link(i*m+j,n*m*2+i*m+j,INF);
if (i) link((i-1)*m+j,n*m*2+i*m+j,INF);
if (j!=1) link(i*m+j-1,n*m*2+i*m+j,INF);
if (i!=n-1) link((i+1)*m+j,n*m*2+i*m+j,INF);
if (j!=m) link(i*m+j+1,n*m*2+i*m+j,INF);
}n=n*m*3+2;
printf("%d\n",ans-maxflow(n-1,n));
return 0;
} | [
"506445435@qq.com"
] | 506445435@qq.com |
1c71cb2275c7e0e2a9a26885b2297cf04615029d | 90bd9ea54fc6e489a275523fcaba0eecb5d675ba | /app/src/main/cpp/jni/jni_invoke_method.cpp | 7b0371cd0dbe99276468a8b8106fb70055e16f2b | [] | no_license | shanallen/NDKStudy | f7e896ec0743cacb93ec6c78c3f9d28eb850dfea | 3207753b718c0609ee7f8071e257ede92847f807 | refs/heads/master | 2022-06-07T21:15:56.744876 | 2020-05-02T10:04:33 | 2020-05-02T10:04:33 | 260,648,793 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,377 | cpp | //
// Created by 单继强 on 2020-05-01.
//
#include <base.h>
#include <sys/types.h>
#include <pthread.h>
#include <base/jvm.h>
void *threadCallback(void *);
static jclass threadClazz;
static jmethodID threadMethod;
static jobject threadObject;
extern "C"
JNIEXPORT void JNICALL
Java_com_sjq_learnndk_jni_JNIInvokeMethod_nativeCallback(JNIEnv *env, jobject instance,
jobject callback) {
LOGD("nativeCallback");
jclass callbackClzz = env->GetObjectClass(callback);
jmethodID callMethodId = env->GetMethodID(callbackClzz, "callback", "()V");
env->CallVoidMethod(callback, callMethodId);
}
extern "C"
JNIEXPORT void
Java_com_sjq_learnndk_jni_JNIInvokeMethod_nativeThreadCallback(JNIEnv *env, jobject instance,
jobject callback) {
threadObject = env->NewGlobalRef(callback);
threadClazz = env->GetObjectClass(callback);
threadMethod = env->GetMethodID(threadClazz, "callback", "()V");
pthread_t handle;
pthread_create(&handle, nullptr,threadCallback, nullptr);
}
void *threadCallback(void *) {
JavaVM *gvm = getJvm();
JNIEnv *env = nullptr;
if(gvm->AttachCurrentThread(&env, nullptr) == 0){
env->CallVoidMethod(threadObject,threadMethod);
gvm->DetachCurrentThread();
}
return 0;
} | [
""
] | |
19e17e13e6bbe1809fc1d71e25af98c3edb110e2 | ba131bd1cdd7a12d2a9ae85103d2c2f1ddad5ceb | /seniorProject/Classes/Native/Bulk_UnityEngine.CoreModule_1.cpp | 1d298c20609260ba2cc3b70b1cc8e6403fd1e3d5 | [] | no_license | yingwenhuang/block_blaster | 24dda9fbcbff82e98f0ace2dcdeba26699310529 | bcb595791bb4769f20c64136fb7b9997c4d3130b | refs/heads/master | 2022-12-10T17:18:00.948565 | 2020-08-08T22:57:16 | 2020-08-08T22:57:16 | 272,250,296 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,150,664 | 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 "il2cpp-class-internals.h"
#include "codegen/il2cpp-codegen.h"
#include "il2cpp-object-internals.h"
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, typename T4, typename T5, typename T6, typename T7, typename T8>
struct VirtFuncInvoker8
{
typedef R (*Func)(void*, T1, T2, T3, T4, T5, T6, T7, T8, const RuntimeMethod*);
static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1, T2 p2, T3 p3, T4 p4, T5 p5, T6 p6, T7 p7, T8 p8)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj);
return ((Func)invokeData.methodPtr)(obj, p1, p2, p3, p4, p5, p6, p7, p8, invokeData.method);
}
};
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);
}
};
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 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);
}
};
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 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 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 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);
}
};
// Microsoft.Win32.SafeHandles.SafeWaitHandle
struct SafeWaitHandle_t51DB35FF382E636FF3B868D87816733894D46CF2;
// System.Action`1<System.Object>
struct Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0;
// System.Action`1<UnityEngine.AsyncOperation>
struct Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9;
// System.Action`1<UnityEngine.Cubemap>
struct Action_1_t72B039F88BDD04A9A013812982859354EDA03D63;
// System.Action`1<UnityEngine.U2D.SpriteAtlas>
struct Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285;
// System.Action`2<System.Object,System.Int32Enum>
struct Action_2_t4A92D51BAC0CF291CCBECDD41B622EDAE4E77D9F;
// System.Action`2<System.Object,System.Object>
struct Action_2_t0DB6FD6F515527EAB552B690A291778C6F00D48C;
// System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>>
struct Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4;
// System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe/ReflectionProbeEvent>
struct Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314;
// System.AppDomain
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8;
// System.ArgumentException
struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1;
// System.ArgumentNullException
struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD;
// System.ArgumentOutOfRangeException
struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA;
// System.AssemblyLoadEventHandler
struct AssemblyLoadEventHandler_t53F8340027F9EE67E8A22E7D8C1A3770345153C9;
// System.AsyncCallback
struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4;
// System.Attribute
struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74;
// System.Boolean[]
struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040;
// System.Byte[]
struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821;
// System.Char[]
struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Globalization.CultureInfo>
struct Dictionary_2_tC88A56872F7C79DBB9582D4F3FC22ED5D8E0B98B;
// 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.Dictionary`2<System.String,System.Object>
struct Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA;
// System.Collections.Generic.IEnumerable`1<UnityEngine.UnitySynchronizationContext/WorkRequest>
struct IEnumerable_1_t2141B27CEA9D4290762D62C69029EC2736FBDF64;
// System.Collections.Generic.List`1<System.String>
struct List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3;
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>
struct List_1_t6E5C746AF7DE21972A905DE655062193862839D6;
// System.Collections.IDictionary
struct IDictionary_t1BD5C1546718A374EA8122FBD6C6EE45331E8CE7;
// System.Collections.IEnumerator
struct IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A;
// System.Collections.Stack
struct Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643;
// System.Delegate
struct Delegate_t;
// System.DelegateData
struct DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE;
// System.Delegate[]
struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86;
// System.Diagnostics.StackFrame[]
struct StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D;
// System.Diagnostics.StackTrace
struct StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99;
// System.Diagnostics.StackTrace[]
struct StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196;
// System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521;
// System.EventHandler
struct EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C;
// System.EventHandler`1<System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs>
struct EventHandler_1_t1E35ED2E29145994C6C03E57601C6D48C61083FF;
// System.Exception
struct Exception_t;
// System.Globalization.Calendar
struct Calendar_tF55A785ACD277504CF0D2F2C6AD56F76C6E91BD5;
// 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.TextInfo
struct TextInfo_t5F1E697CB6A7E5EC80F0DC3A968B9B4A70C291D8;
// System.IAsyncResult
struct IAsyncResult_t8E194308510B375B42432981AE5E7488C458D598;
// System.IFormatProvider
struct IFormatProvider_t4247E13AE2D97A079B88D594B7ABABF313259901;
// System.IO.TextWriter
struct TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0;
// System.IndexOutOfRangeException
struct IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF;
// System.Int32[]
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83;
// System.IntPtr[]
struct IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD;
// System.LocalDataStoreHolder
struct LocalDataStoreHolder_tE0636E08496405406FD63190AC51EEB2EE51E304;
// System.LocalDataStoreMgr
struct LocalDataStoreMgr_t1964DDB9F2BE154BE3159A7507D0D0CCBF8FDCA9;
// System.MulticastDelegate
struct MulticastDelegate_t;
// System.NotImplementedException
struct NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4;
// System.Object[]
struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A;
// System.Reflection.Binder
struct Binder_t4D5CB06963501D32847C057B57157D6DC49CA759;
// System.Reflection.MemberFilter
struct MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381;
// System.Reflection.MemberInfo
struct MemberInfo_t;
// System.Reflection.MethodBase
struct MethodBase_t;
// System.Reflection.MethodInfo
struct MethodInfo_t;
// System.Reflection.ParameterInfo
struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB;
// System.ResolveEventHandler
struct ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5;
// System.Runtime.InteropServices.MarshalAsAttribute
struct MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020;
// System.Runtime.Serialization.IFormatterConverter
struct IFormatterConverter_tC3280D64D358F47EA4DAF1A65609BA0FC081888A;
// System.Runtime.Serialization.SafeSerializationManager
struct SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770;
// System.Runtime.Serialization.SerializationInfo
struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26;
// System.Security.Principal.IPrincipal
struct IPrincipal_t63FD7F58FBBE134C8FE4D31710AAEA00B000F0BF;
// System.String
struct String_t;
// System.String[]
struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E;
// System.Text.StringBuilder
struct StringBuilder_t;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo>
struct AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A;
// System.Threading.EventWaitHandle
struct EventWaitHandle_t7603BF1D3D30FE42DD07A450C8D09E2684DC4D98;
// System.Threading.ExecutionContext
struct ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70;
// System.Threading.InternalThread
struct InternalThread_tA4C58C2A7D15AF43C3E7507375E6D31DBBE7D192;
// System.Threading.ManualResetEvent
struct ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408;
// System.Threading.SendOrPostCallback
struct SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01;
// System.Threading.SynchronizationContext
struct SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7;
// System.Threading.Thread
struct Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7;
// System.Type
struct Type_t;
// System.Type[]
struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F;
// System.UInt16[]
struct UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E;
// System.UnhandledExceptionEventArgs
struct UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1;
// System.UnhandledExceptionEventHandler
struct UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE;
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017;
// UnityEngine.AsyncOperation
struct AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D;
// UnityEngine.Camera
struct Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34;
// UnityEngine.Camera/CameraCallback
struct CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0;
// UnityEngine.Camera[]
struct CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9;
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621;
// UnityEngine.Cubemap
struct Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF;
// UnityEngine.CustomYieldInstruction
struct CustomYieldInstruction_t819BB0973AFF22766749FF087B8AEFEAF3C2CB7D;
// UnityEngine.Display
struct Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57;
// UnityEngine.Display/DisplaysUpdatedDelegate
struct DisplaysUpdatedDelegate_t2FAF995B47D691BD7C5BBC17D533DD8B19BE9A90;
// UnityEngine.Display[]
struct DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9;
// UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>
struct UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,System.Int32Enum>
struct UnityAction_2_t77680359D738D69E578F3A74D50CD3FA8D775A60;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>
struct UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>
struct UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F;
// UnityEngine.GUIElement
struct GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4;
// UnityEngine.GUILayer
struct GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D;
// UnityEngine.GameObject
struct GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F;
// UnityEngine.Material
struct Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598;
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0;
// UnityEngine.PropertyAttribute
struct PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54;
// UnityEngine.RectTransform
struct RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20;
// UnityEngine.RectTransform/ReapplyDrivenProperties
struct ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D;
// UnityEngine.ReflectionProbe
struct ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C;
// UnityEngine.RenderTexture
struct RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6;
// UnityEngine.Renderer
struct Renderer_t0556D67DD582620D1F495627EDE30D03284151F4;
// UnityEngine.RequireComponent
struct RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1;
// UnityEngine.RuntimeInitializeOnLoadMethodAttribute
struct RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70;
// UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734;
// UnityEngine.Scripting.APIUpdating.MovedFromAttribute
struct MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162;
// UnityEngine.Scripting.PreserveAttribute
struct PreserveAttribute_t864F9DAA4DBF2524206AD57CE51AEB955702AA3F;
// UnityEngine.SelectionBaseAttribute
struct SelectionBaseAttribute_t1E6DA918DE93CF97BAB00073419BF8FC43C84B33;
// UnityEngine.SendMouseEvents/HitInfo[]
struct HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745;
// UnityEngine.Serialization.FormerlySerializedAsAttribute
struct FormerlySerializedAsAttribute_t31939F907F52C74DB25B51BB0064837BC15760AC;
// UnityEngine.SerializeField
struct SerializeField_t2C7845E4134D47F2D89267492CB6B955DC4787A5;
// UnityEngine.SpaceAttribute
struct SpaceAttribute_tA724C103FE786D2E773D89B2789C0C1F812376C2;
// UnityEngine.Sprite
struct Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198;
// UnityEngine.SpriteRenderer
struct SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F;
// UnityEngine.TextAreaAttribute
struct TextAreaAttribute_t85045C366B3A3B41CE21984CDDE589E1A786E394;
// UnityEngine.Texture
struct Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4;
// UnityEngine.Texture2D
struct Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C;
// UnityEngine.Texture2DArray
struct Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8;
// UnityEngine.Texture3D
struct Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4;
// UnityEngine.TooltipAttribute
struct TooltipAttribute_t92811DE0164DF2D722334584EBEEE3EF15AD5E6C;
// UnityEngine.TouchScreenKeyboard
struct TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90;
// UnityEngine.TrackedReference
struct TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107;
// UnityEngine.Transform
struct Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA;
// UnityEngine.Transform/Enumerator
struct Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC;
// UnityEngine.U2D.SpriteAtlas
struct SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A;
// UnityEngine.UnityAPICompatibilityVersionAttribute
struct UnityAPICompatibilityVersionAttribute_tDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8;
// UnityEngine.UnityException
struct UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28;
// UnityEngine.UnityLogWriter
struct UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057;
// UnityEngine.UnitySynchronizationContext
struct UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F;
// UnityEngine.UnitySynchronizationContext/WorkRequest[]
struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0;
// UnityEngine.Vector2[]
struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6;
// UnityEngine.Vector3[]
struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28;
// UnityEngine.WaitForEndOfFrame
struct WaitForEndOfFrame_t75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA;
// UnityEngine.WaitForSeconds
struct WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8;
// UnityEngine.WaitForSecondsRealtime
struct WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739;
// UnityEngine.YieldInstruction
struct YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44;
// UnityEngine.iOS.LocalNotification
struct LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F;
// UnityEngine.iOS.RemoteNotification
struct RemoteNotification_tE0413FADC666D8ECDE70A365F41A784002106061;
// UnityEngineInternal.GenericStack
struct GenericStack_tC59D21E8DBC50F3C608479C942200AC44CA2D5BC;
// UnityEngineInternal.TypeInferenceRuleAttribute
struct TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B;
extern RuntimeClass* Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285_il2cpp_TypeInfo_var;
extern RuntimeClass* ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var;
extern RuntimeClass* ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var;
extern RuntimeClass* ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var;
extern RuntimeClass* CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9_il2cpp_TypeInfo_var;
extern RuntimeClass* CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2_il2cpp_TypeInfo_var;
extern RuntimeClass* Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var;
extern RuntimeClass* Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var;
extern RuntimeClass* Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var;
extern RuntimeClass* Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var;
extern RuntimeClass* Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var;
extern RuntimeClass* Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC_il2cpp_TypeInfo_var;
extern RuntimeClass* Exception_t_il2cpp_TypeInfo_var;
extern RuntimeClass* FormatUsage_t117AE34283B21B51894E10162A58F65FBF9E4D83_il2cpp_TypeInfo_var;
extern RuntimeClass* GC_tC1D7BD74E8F44ECCEF5CD2B5D84BFF9AAE02D01D_il2cpp_TypeInfo_var;
extern RuntimeClass* GraphicsFormat_t512915BBE299AE115F4DB0B96DF1DA2E72ECA181_il2cpp_TypeInfo_var;
extern RuntimeClass* HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745_il2cpp_TypeInfo_var;
extern RuntimeClass* IDisposable_t7218B22548186B208D65EA5B7870503810A2D15A_il2cpp_TypeInfo_var;
extern RuntimeClass* IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var;
extern RuntimeClass* IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var;
extern RuntimeClass* Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var;
extern RuntimeClass* Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var;
extern RuntimeClass* IntPtr_t_il2cpp_TypeInfo_var;
extern RuntimeClass* List_1_t6E5C746AF7DE21972A905DE655062193862839D6_il2cpp_TypeInfo_var;
extern RuntimeClass* LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_il2cpp_TypeInfo_var;
extern RuntimeClass* ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408_il2cpp_TypeInfo_var;
extern RuntimeClass* MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_il2cpp_TypeInfo_var;
extern RuntimeClass* Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var;
extern RuntimeClass* NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_il2cpp_TypeInfo_var;
extern RuntimeClass* ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var;
extern RuntimeClass* Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var;
extern RuntimeClass* Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_il2cpp_TypeInfo_var;
extern RuntimeClass* ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D_il2cpp_TypeInfo_var;
extern RuntimeClass* RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var;
extern RuntimeClass* ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_il2cpp_TypeInfo_var;
extern RuntimeClass* RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_il2cpp_TypeInfo_var;
extern RuntimeClass* RenderTextureFormat_t2AB1B77FBD247648292FBBE1182F12B5FC47AF85_il2cpp_TypeInfo_var;
extern RuntimeClass* SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var;
extern RuntimeClass* Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_il2cpp_TypeInfo_var;
extern RuntimeClass* SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var;
extern RuntimeClass* Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var;
extern RuntimeClass* SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var;
extern RuntimeClass* StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var;
extern RuntimeClass* StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_il2cpp_TypeInfo_var;
extern RuntimeClass* StringBuilder_t_il2cpp_TypeInfo_var;
extern RuntimeClass* String_t_il2cpp_TypeInfo_var;
extern RuntimeClass* TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_il2cpp_TypeInfo_var;
extern RuntimeClass* TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE_il2cpp_TypeInfo_var;
extern RuntimeClass* TouchScreenKeyboardType_tDD21D45735F3021BF4C6C7C1A660ABF03EBCE602_il2cpp_TypeInfo_var;
extern RuntimeClass* TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90_il2cpp_TypeInfo_var;
extern RuntimeClass* TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_il2cpp_TypeInfo_var;
extern RuntimeClass* TypeInferenceRules_tFA03D20477226A95FE644665C3C08A6B6281C333_il2cpp_TypeInfo_var;
extern RuntimeClass* UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE_il2cpp_TypeInfo_var;
extern RuntimeClass* UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_il2cpp_TypeInfo_var;
extern RuntimeClass* UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28_il2cpp_TypeInfo_var;
extern RuntimeClass* UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057_il2cpp_TypeInfo_var;
extern RuntimeClass* UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F_il2cpp_TypeInfo_var;
extern RuntimeClass* Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var;
extern RuntimeClass* Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var;
extern RuntimeClass* Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var;
extern String_t* _stringLiteral0083B4F6CF99B88F9288EBBCF395C67CD3D3118E;
extern String_t* _stringLiteral0195A2CD9837056D512C72FCF0B07B7950840600;
extern String_t* _stringLiteral05A79F06CF3F67F726DAE68D18A2290F6C9A50C9;
extern String_t* _stringLiteral08534F33C201A45017B502E90A800F1B708EBCB3;
extern String_t* _stringLiteral0D125FAD9C996770D0DE517A8E41DDF40D0A4789;
extern String_t* _stringLiteral0E1C8AF80ED22B735AB8AA9EB42EBB05824A2984;
extern String_t* _stringLiteral1745B8350D479ECA1E6A138E3D4EEA836E2A4F2A;
extern String_t* _stringLiteral1B86617DB5EF03C4CB9EC553AEFC55A7D37CB81D;
extern String_t* _stringLiteral1E5C2F367F02E47A8C160CDA1CD9D91DECBAC441;
extern String_t* _stringLiteral264F39CC9BCB314C51EEFF1A9C09A4458087705F;
extern String_t* _stringLiteral28ED3A797DA3C48C309A4EF792147F3C56CFEC40;
extern String_t* _stringLiteral2FA169D43E3A5541775A437F1F1BF96AC6883F71;
extern String_t* _stringLiteral30FA981B61585D6DE94376CB539A04A8A53C8580;
extern String_t* _stringLiteral34311263DC7D181C312B472B1C780134C973B8A8;
extern String_t* _stringLiteral34337AE3CA64AFEEBAFB7B2A01B02AF75A430A4D;
extern String_t* _stringLiteral38A68AD6E21467B8D96BD56941DCDF9588DD49B7;
extern String_t* _stringLiteral38C0F0DBDBD6845E1EB1973902069AA0D04A49CB;
extern String_t* _stringLiteral3A52CE780950D4D969792A2559CD519D7EE8C727;
extern String_t* _stringLiteral3BCAF6F0BBCE8F3C4358C3A2F2387713EC237985;
extern String_t* _stringLiteral3FD91E160022E3A1414EFC9052F3C6C31F1EA4F4;
extern String_t* _stringLiteral40AD3C3A623F6FA60AE5826A9CC47F50B1B85BCB;
extern String_t* _stringLiteral4141ADD45A26459C4BD39909388482311F6FE29A;
extern String_t* _stringLiteral42099B4AF021E53FD8FD4E056C2568D7C2E3FFA8;
extern String_t* _stringLiteral4933CA96CF0AAE548DADE4A62F9E8129B5F1CC51;
extern String_t* _stringLiteral4D0222981FBAE35DD2444D1FA5394102E4B02864;
extern String_t* _stringLiteral4F90C928BC21C17D86B46ADE7645DD1CF4D18346;
extern String_t* _stringLiteral4FF447B8EF42CA51FA6FB287BED8D40F49BE58F1;
extern String_t* _stringLiteral50D86FCBE2ABB9A65B07323B311FF2296682029D;
extern String_t* _stringLiteral56B746AB68C7038037DA048FD1D8D9DC29F517AF;
extern String_t* _stringLiteral598EC89B304BC8A1CE5F6C6079CAFDB64A3D4A21;
extern String_t* _stringLiteral5C353241CDACE99B03D8DFDC6678878C57F244DD;
extern String_t* _stringLiteral5E1FAEFEBCA2C780744CF670E527AE37E3B7757E;
extern String_t* _stringLiteral6BDD1E3A7F527366858378A63E29F34F08187666;
extern String_t* _stringLiteral6D0D5876E6710EBB4F309B5AF01090CB97381D06;
extern String_t* _stringLiteral6F69EB7DC225B8813368952E1258E1420C05B811;
extern String_t* _stringLiteral708A87F4DFB107B2485D8951A5A68918EEB86446;
extern String_t* _stringLiteral70F647D297AE3699B9AE4737A9E9E23C0BC0EDBC;
extern String_t* _stringLiteral73EC8A0405E27836713EE88E3E326D2AA92FE921;
extern String_t* _stringLiteral773F732BB4C12DF7AEA8D2587D095243F3DE1F33;
extern String_t* _stringLiteral78259CC481560C68A39AC0ADE195B9767AF4CDC4;
extern String_t* _stringLiteral7AFD2E732D417C70A8539EA20FA6602334C88EFB;
extern String_t* _stringLiteral800CC47D20543F12B3DD331F9BB4BF01119DBDAB;
extern String_t* _stringLiteral8432C24573F3F89FAD60802FE8EDDF1DA6315768;
extern String_t* _stringLiteral85285330616F7B0F1C1DF9EC8B22E159DB00A838;
extern String_t* _stringLiteral86A7485E1462BBE2A96788B951D6613BB952B6CC;
extern String_t* _stringLiteral888FECF2120401CA905D5928CC82AFDBEAAEF797;
extern String_t* _stringLiteral890F52A3297E6020D62E0582519A9EA5B7A9ECF1;
extern String_t* _stringLiteral91A8078C52ED187C1897725B2A5BA853F7D6C3D9;
extern String_t* _stringLiteral9622BAC4F6B501635BD767B80B6A71A3D61DDBC8;
extern String_t* _stringLiteralA7657254AB620ED4022229A87EBBB2D61A66BB47;
extern String_t* _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC;
extern String_t* _stringLiteralAEEBD5451CD610FD41B563142B1715878FB6841E;
extern String_t* _stringLiteralB29BEC3A893F5759BD9E96C91C9F612E3591BE59;
extern String_t* _stringLiteralB808770940FE0FD9F948A9E3A29D93CA9AF79472;
extern String_t* _stringLiteralB8B6C4E8F01128F85B1997A2FC54F0D8A7847473;
extern String_t* _stringLiteralBC100C9D64D94485F83F793F65B7DAD5280350B8;
extern String_t* _stringLiteralBD604D99E75E45D38BC7AC8FC714CDE0097D901F;
extern String_t* _stringLiteralBED35A2027CF27E62C61CC24566ECF476DEC4D84;
extern String_t* _stringLiteralC0C83386C3CC8DC6C9E6A316F1CE50ECC1C09A2C;
extern String_t* _stringLiteralC21795AE8BD7A7002E8884AC9BF9FA8A63E03A2A;
extern String_t* _stringLiteralC2298C3CEB369A94307F27D80BCDF7987F20199F;
extern String_t* _stringLiteralC2DD4A1CF2BEA8DC20037D0E70DA4065B69442E6;
extern String_t* _stringLiteralC69322742BF4E0B4FA19AA924C3BB4392833F455;
extern String_t* _stringLiteralC8B10A02A794C5D6BA3C7F7BE7ECF9A1E9F63336;
extern String_t* _stringLiteralCECA32E904728D1645727CB2B9CDEAA153807D77;
extern String_t* _stringLiteralD0F250C5C723619F2F208B1992BA356D32807BE6;
extern String_t* _stringLiteralD16E4C58CF049A6CC42E4A9AA7CEDB1CE1103E03;
extern String_t* _stringLiteralD3BC9A378DAAA1DDDBA1B19C1AA641D3E9683C46;
extern String_t* _stringLiteralD3FD53C52D30CDB029CBC791249A954CC8A039F0;
extern String_t* _stringLiteralD58E0065873E35CE94365BC4E2C839F9DCECB978;
extern String_t* _stringLiteralD65DFF2F89D985DD957E05C5F031753F76F1DFA1;
extern String_t* _stringLiteralD6A1ECAD980B58E3652C7916328F4DFE2C99A662;
extern String_t* _stringLiteralD8F22AFD605CB819B6296BFEBA8A92C55137AF4A;
extern String_t* _stringLiteralDA28917F43DFC05BA8F32F8C208CF1FF8A1F0EE6;
extern String_t* _stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709;
extern String_t* _stringLiteralDF84E69D42614DDC5037B5740BFBC7BCA76BD3C8;
extern String_t* _stringLiteralE36A6C883582836AFA54C902F5ABB5830C87CB98;
extern String_t* _stringLiteralE7064F0B80F61DBC65915311032D27BAA569AE2A;
extern String_t* _stringLiteralEE90BCB77C614A3203BEBE34D51181223221F2F8;
extern String_t* _stringLiteralEF9399EF10CEAB35F60B653ECC2E3A5D41F17059;
extern String_t* _stringLiteralF23AD4106708799BB558FADB5E8EF955F5862D66;
extern String_t* _stringLiteralF88F3BC110B17C96C0857A9DD4115004A7A4BDC8;
extern String_t* _stringLiteralFB502D23AF1B5E8C52E103562939D8DACB3485B3;
extern String_t* _stringLiteralFDA309DC9DF574C8F09C4407EBD6653E0E07F781;
extern const RuntimeMethod* Action_1_Invoke_m8196A911FEFF1B1CCF99728FA4F31C74795B7BE2_RuntimeMethod_var;
extern const RuntimeMethod* Action_1_Invoke_mBE4AA470D3BDABBC78FED7766EA8923E86E7D764_RuntimeMethod_var;
extern const RuntimeMethod* Action_1__ctor_m3410995AC0E42939031462C4335B4BB5D6B65703_RuntimeMethod_var;
extern const RuntimeMethod* Action_2_Invoke_mA6D34CA6EB25D5F388A922026B9DFF9B098D022B_RuntimeMethod_var;
extern const RuntimeMethod* Action_2_Invoke_mF869CA06F0E5E20E3F4324AC19C43EE97B3F8A00_RuntimeMethod_var;
extern const RuntimeMethod* Component_GetComponent_TisGUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D_m450D3F26D5288FD7AEBE9AB2C9763BB2C1A45BB6_RuntimeMethod_var;
extern const RuntimeMethod* Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35_RuntimeMethod_var;
extern const RuntimeMethod* Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510_RuntimeMethod_var;
extern const RuntimeMethod* Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D_RuntimeMethod_var;
extern const RuntimeMethod* List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C_RuntimeMethod_var;
extern const RuntimeMethod* List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6_RuntimeMethod_var;
extern const RuntimeMethod* List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A_RuntimeMethod_var;
extern const RuntimeMethod* List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57_RuntimeMethod_var;
extern const RuntimeMethod* List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_RuntimeMethod_var;
extern const RuntimeMethod* RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var;
extern const RuntimeMethod* RenderTexture__ctor_m3B3534A6C9696C5CB12ADC78F922237F69CEA33A_RuntimeMethod_var;
extern const RuntimeMethod* SetupCoroutine_InvokeMoveNext_m9106BA4E8AE0E794B17F184F1021A53F1D071F31_RuntimeMethod_var;
extern const RuntimeMethod* SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2_RuntimeMethod_var;
extern const RuntimeMethod* StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975_RuntimeMethod_var;
extern const RuntimeMethod* SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907_RuntimeMethod_var;
extern const RuntimeMethod* SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79_RuntimeMethod_var;
extern const RuntimeMethod* Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D_RuntimeMethod_var;
extern const RuntimeMethod* Texture2D_GetPixelBilinear_m3E0E9A22A0989E99A7295BC6FE6999728F290A78_RuntimeMethod_var;
extern const RuntimeMethod* Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10_RuntimeMethod_var;
extern const RuntimeMethod* Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212_RuntimeMethod_var;
extern const RuntimeMethod* Texture_set_height_m601E103C6E803353701370B161F992A5B0C89AB6_RuntimeMethod_var;
extern const RuntimeMethod* Texture_set_width_m9E42C8B8ED703644B85F54D8DCFB51BF954F56DA_RuntimeMethod_var;
extern const RuntimeMethod* TouchScreenKeyboard_set_selection_m27C5DE6B9DBBBFE2CCA68FA80A600D94337215C7_RuntimeMethod_var;
extern const RuntimeMethod* Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1_RuntimeMethod_var;
extern const RuntimeMethod* UnhandledExceptionHandler_HandleUnhandledException_m09FC7ACFE0E555A5815A790856FBF5B0CA50819E_RuntimeMethod_var;
extern const RuntimeMethod* UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2_RuntimeMethod_var;
extern const RuntimeMethod* UnityAction_2_Invoke_m3F07731E46F777E93F9D08DD46CEB7BDE625238A_RuntimeMethod_var;
extern const RuntimeMethod* UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99_RuntimeMethod_var;
extern const RuntimeMethod* Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379_RuntimeMethod_var;
extern const RuntimeMethod* Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1_RuntimeMethod_var;
extern const RuntimeMethod* Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6_RuntimeMethod_var;
extern const RuntimeMethod* Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6_RuntimeMethod_var;
extern const RuntimeMethod* Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98_RuntimeMethod_var;
extern const RuntimeMethod* Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45_RuntimeMethod_var;
extern const uint32_t HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702_MetadataUsageId;
extern const uint32_t HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15_MetadataUsageId;
extern const uint32_t LocalNotification__cctor_m9E47ADEC8F786289F7C94ACC65A44C318FF59685_MetadataUsageId;
extern const uint32_t MathfInternal__cctor_m885D4921B8E928763E7ABB4466659665780F860F_MetadataUsageId;
extern const uint32_t RectTransform_GetLocalCorners_m8761EA5FFE1F36041809D10D8AD7BC40CF06A520_MetadataUsageId;
extern const uint32_t RectTransform_GetParentSize_mFD24CC863A4D7DFBFFE23C982E9A11E9B010D25D_MetadataUsageId;
extern const uint32_t RectTransform_GetWorldCorners_m073AA4D13C51C5654A5983EE3FE7E2E60F7761B6_MetadataUsageId;
extern const uint32_t RectTransform_SendReapplyDrivenProperties_m231712A8CDDCA340752CB72690FE808111286653_MetadataUsageId;
extern const uint32_t RectTransform_add_reapplyDrivenProperties_mDA1F055B02E43F9041D4198D446D89E00381851E_MetadataUsageId;
extern const uint32_t RectTransform_remove_reapplyDrivenProperties_m65A8DB93E1A247A5C8CD880906FF03FEA89E7CEB_MetadataUsageId;
extern const uint32_t RectTransform_set_offsetMax_mD55D44AD4740C79B5C2C83C60B0C38BF1090501C_MetadataUsageId;
extern const uint32_t RectTransform_set_offsetMin_m7455ED64FF16C597E648E022BA768CFDCF4531AC_MetadataUsageId;
extern const uint32_t ReflectionProbe_CallReflectionProbeEvent_mA6273CE84793FD3CC7AA0506C525EED4F4935B62_MetadataUsageId;
extern const uint32_t ReflectionProbe_CallSetDefaultReflection_m97EFBE5F8A57BB7C8CA65C65FF4BD9889060325D_MetadataUsageId;
extern const uint32_t RenderTextureDescriptor__cctor_mA5675E6684E1E8C26E848D2390FB2ABE8E3C11FD_MetadataUsageId;
extern const uint32_t RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996_MetadataUsageId;
extern const uint32_t RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_MetadataUsageId;
extern const uint32_t RenderTexture__ctor_m3B3534A6C9696C5CB12ADC78F922237F69CEA33A_MetadataUsageId;
extern const uint32_t Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04_MetadataUsageId;
extern const uint32_t SceneManager_Internal_ActiveSceneChanged_mE9AB93D6979594CFCED5B3696F727B7D5E6B25F5_MetadataUsageId;
extern const uint32_t SceneManager_Internal_SceneLoaded_m800F5F7F7B30D5206913EF65548FD7F8DE9EF718_MetadataUsageId;
extern const uint32_t SceneManager_Internal_SceneUnloaded_m32721E87A02DAC634DD4B9857092CC172EE8CB98_MetadataUsageId;
extern const uint32_t Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54_MetadataUsageId;
extern const uint32_t ScriptableObject__ctor_m6E2B3821A4A361556FC12E9B1C71E1D5DC002C5B_MetadataUsageId;
extern const uint32_t SendMouseEvents_DoSendMouseEvents_m95F30F16C9E28757678B2A6CBB09B4929F1EA72C_MetadataUsageId;
extern const uint32_t SendMouseEvents_HitTestLegacyGUI_mF845548CB3F7DD7C32AEA6AEB9E4EAD9F1A01CF8_MetadataUsageId;
extern const uint32_t SendMouseEvents_SendEvents_m3F67C7E75B3AACADA92D562C631D432D273276DB_MetadataUsageId;
extern const uint32_t SendMouseEvents_SetMouseMoved_m860C81AB05FE646EB58219CE6AF1C5AE1D31958F_MetadataUsageId;
extern const uint32_t SendMouseEvents__cctor_mCC790EB2DADBEAB9D6E06D79FA77634C68F17B2B_MetadataUsageId;
extern const uint32_t SetupCoroutine_InvokeMember_m0F2AD1D817B8E221C0DCAB9A81DA8359B20A8EFB_MetadataUsageId;
extern const uint32_t SetupCoroutine_InvokeMoveNext_m9106BA4E8AE0E794B17F184F1021A53F1D071F31_MetadataUsageId;
extern const uint32_t SpriteAtlasManager_PostRegisteredAtlas_m2FCA85EDC754279C0A90CC3AF5E12C3E8F6A61CB_MetadataUsageId;
extern const uint32_t SpriteAtlasManager_RequestAtlas_m792F61C44C634D9E8F1E15401C8CECB7A12F5DDE_MetadataUsageId;
extern const uint32_t SpriteAtlasManager__cctor_m826C9096AB53C9C6CFCF342FA9FDC345A726B6C6_MetadataUsageId;
extern const uint32_t SpriteAtlasManager_add_atlasRegistered_m6742D91F217B69CC2A65D80B5F25CFA372A1E2DA_MetadataUsageId;
extern const uint32_t SpriteAtlasManager_remove_atlasRegistered_m55564CC2797E687E4B966DC1797D059ABBB04051_MetadataUsageId;
extern const uint32_t Sprite__ctor_m8559FBC54BD7CDA181B190797CC8AC6FB1310F9E_MetadataUsageId;
extern const uint32_t StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660_MetadataUsageId;
extern const uint32_t StackTraceUtility_ExtractStackTrace_mEDFB4ECA329B87BC7DF2AA3EF7F9A31DAC052DC0_MetadataUsageId;
extern const uint32_t StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975_MetadataUsageId;
extern const uint32_t StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357_MetadataUsageId;
extern const uint32_t StackTraceUtility_PostprocessStacktrace_mBE9F5550E1BA5C5C7778B9EF148BDB50ADDB5DD9_MetadataUsageId;
extern const uint32_t StackTraceUtility_SetProjectFolder_m05FBBB2FF161F2F9F8551EB67D44B50F7CC98E21_MetadataUsageId;
extern const uint32_t StackTraceUtility__cctor_mDDEE2A2B6EBEDB75E0C28C81AFEDB1E9C372A165_MetadataUsageId;
extern const uint32_t SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740_MetadataUsageId;
extern const uint32_t SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907_MetadataUsageId;
extern const uint32_t SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79_MetadataUsageId;
extern const uint32_t Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D_MetadataUsageId;
extern const uint32_t Texture2D_GetPixelBilinear_m3E0E9A22A0989E99A7295BC6FE6999728F290A78_MetadataUsageId;
extern const uint32_t Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10_MetadataUsageId;
extern const uint32_t Texture2D__ctor_m0C86A87871AA8075791EF98499D34DA95ACB0E35_MetadataUsageId;
extern const uint32_t Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212_MetadataUsageId;
extern const uint32_t Texture_CreateNonReadableException_m66E69BE853119A5A9FE2C27EA788B62BF7CFE34D_MetadataUsageId;
extern const uint32_t Texture_ValidateFormat_m12332BF76D9B5BBFFCE74D855928AEA01984DF6C_MetadataUsageId;
extern const uint32_t Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1_MetadataUsageId;
extern const uint32_t Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED_MetadataUsageId;
extern const uint32_t Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C_MetadataUsageId;
extern const uint32_t Texture_set_height_m601E103C6E803353701370B161F992A5B0C89AB6_MetadataUsageId;
extern const uint32_t Texture_set_width_m9E42C8B8ED703644B85F54D8DCFB51BF954F56DA_MetadataUsageId;
extern const uint32_t TouchScreenKeyboard_Destroy_m916AE9DA740DBD435A5EDD93C6BC55CCEC8310C3_MetadataUsageId;
extern const uint32_t TouchScreenKeyboard_Open_mF795EEBFEF7DF5E5418CF2BACA02D1C62291B93A_MetadataUsageId;
extern const uint32_t TouchScreenKeyboard__ctor_mDF71D45DC0F867825BEB1CDF728927FBB0E07F86_MetadataUsageId;
extern const uint32_t TouchScreenKeyboard_set_selection_m27C5DE6B9DBBBFE2CCA68FA80A600D94337215C7_MetadataUsageId;
extern const uint32_t TrackedReference_Equals_mB1E157BE74CB5240DA6C4D3A38047A015B067C20_MetadataUsageId;
extern const uint32_t TrackedReference_op_Equality_m6176AA0B99576B1734E9A9D7DDA0A27ECACBAA96_MetadataUsageId;
extern const uint32_t Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1_MetadataUsageId;
extern const uint32_t Transform_GetEnumerator_mE98B6C5F644AE362EC1D58C10506327D6A5878FC_MetadataUsageId;
extern const uint32_t Transform_get_forward_m0BE1E88B86049ADA39391C3ACED2314A624BC67F_MetadataUsageId;
extern const uint32_t Transform_set_parent_m65B8E4660B2C554069C57A957D9E55FECA7AA73E_MetadataUsageId;
extern const uint32_t TypeInferenceRuleAttribute__ctor_m389751AED6740F401AC8DFACD5914C13AB24D8A6_MetadataUsageId;
extern const uint32_t UnhandledExceptionHandler_HandleUnhandledException_m09FC7ACFE0E555A5815A790856FBF5B0CA50819E_MetadataUsageId;
extern const uint32_t UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77_MetadataUsageId;
extern const uint32_t UnhandledExceptionHandler_RegisterUECatcher_mE45C6A0301C35F6193F5774B7683683EF78D21DA_MetadataUsageId;
extern const uint32_t UnityException__ctor_m27B11548FE152B9AB9402E54CB6A50A2EE6FFE31_MetadataUsageId;
extern const uint32_t UnityException__ctor_m68C827240B217197615D8DA06FD3A443127D81DE_MetadataUsageId;
extern const uint32_t UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9_MetadataUsageId;
extern const uint32_t UnityLogWriter_Init_mAD1F3BFE2183E39CFA1E7BEFB948B368547D9E99_MetadataUsageId;
extern const uint32_t UnityLogWriter__ctor_mE8DC0EAD466C5F290F6D32CC07F0F70590688833_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_CreateCopy_mC20AC170E7947120E65ED75D71889CDAC957A5CD_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_Exec_m07342201E337E047B73C8B3259710820EFF75A9C_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_ExecuteTasks_m027AF329D90D6451B83A2EAF3528C9021800A962_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_InitializeSynchronizationContext_m0F2A055040D6848FAD84A08DBC410E56B2D9E6A3_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_Post_mB4E900B6E9350E8E944011B6BF3D16C0657375FE_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext_Send_m25CDC5B5ABF8D55B70EB314AA46923E3CF2AD4B9_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext__ctor_m9D104656F4EAE96CB3A40DDA6EDCEBA752664612_MetadataUsageId;
extern const uint32_t UnitySynchronizationContext__ctor_mCABD0C784640450930DF24FAD73E8AD6D1B52037_MetadataUsageId;
extern const uint32_t Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE_MetadataUsageId;
extern const uint32_t Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4_MetadataUsageId;
extern const uint32_t Vector2__cctor_m13D18E02B3AC28597F5049D2F54830C9E4BDBE84_MetadataUsageId;
extern const uint32_t Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379_MetadataUsageId;
extern const uint32_t Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED_MetadataUsageId;
extern const uint32_t Vector2_get_right_mB4BD67462D579461853F297C0DE85D81E07E911E_MetadataUsageId;
extern const uint32_t Vector2_get_up_mC4548731D5E7C71164D18C390A1AC32501DAE441_MetadataUsageId;
extern const uint32_t Vector2_get_zero_mFE0C3213BB698130D6C5247AB4B887A59074D0A8_MetadataUsageId;
extern const uint32_t Vector2_op_Equality_m0E86E1B1038DDB8554A8A0D58729A7788D989588_MetadataUsageId;
extern const uint32_t Vector2_op_Inequality_mC16161C640C89D98A00800924F83FF09FD7C100E_MetadataUsageId;
extern const uint32_t Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1_MetadataUsageId;
extern const uint32_t Vector3_Distance_mE316E10B9B319A5C2A29F86E028740FD528149E7_MetadataUsageId;
extern const uint32_t Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056_MetadataUsageId;
extern const uint32_t Vector3_Lerp_m5BA75496B803820CC64079383956D73C6FD4A8A1_MetadataUsageId;
extern const uint32_t Vector3_Magnitude_m3958BE20951093E6B035C5F90493027063B39437_MetadataUsageId;
extern const uint32_t Vector3_Max_m78495079CA1E29B0658699B856AFF22E23180F36_MetadataUsageId;
extern const uint32_t Vector3_Min_m0D0997E6CDFF77E5177C8D4E0A21C592C63F747E_MetadataUsageId;
extern const uint32_t Vector3_Normalize_mDEA51D0C131125535DA2B49B7281E0086ED583DC_MetadataUsageId;
extern const uint32_t Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D_MetadataUsageId;
extern const uint32_t Vector3__cctor_m83F3F89A8A8AFDBB54273660ABCA2E5AE1EAFDBD_MetadataUsageId;
extern const uint32_t Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6_MetadataUsageId;
extern const uint32_t Vector3_get_back_mE7EF8625637E6F8B9E6B42A6AE140777C51E02F7_MetadataUsageId;
extern const uint32_t Vector3_get_down_m3F76A48E5B7C82B35EE047375538AFD91A305F55_MetadataUsageId;
extern const uint32_t Vector3_get_forward_m3E2E192B3302130098738C308FA1EE1439449D0D_MetadataUsageId;
extern const uint32_t Vector3_get_left_m74B52D8CFD8C62138067B2EB6846B6E9E51B7C20_MetadataUsageId;
extern const uint32_t Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274_MetadataUsageId;
extern const uint32_t Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B_MetadataUsageId;
extern const uint32_t Vector3_get_one_mA11B83037CB269C6076CBCF754E24C8F3ACEC2AB_MetadataUsageId;
extern const uint32_t Vector3_get_right_m6DD9559CA0C75BBA42D9140021C4C2A9AAA9B3F5_MetadataUsageId;
extern const uint32_t Vector3_get_up_m6309EBC4E42D6D0B3D28056BD23D0331275306F7_MetadataUsageId;
extern const uint32_t Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2_MetadataUsageId;
extern const uint32_t Vector3_op_Equality_mA9E2F96E98E71AE7ACCE74766D700D41F0404806_MetadataUsageId;
extern const uint32_t Vector3_op_Inequality_mFEEAA4C4BF743FB5B8A47FF4967A5E2C73273D6E_MetadataUsageId;
extern const uint32_t Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6_MetadataUsageId;
extern const uint32_t Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5_MetadataUsageId;
extern const uint32_t Vector4_SqrMagnitude_mC2577C7119B10D3211BEF8BD3D8C0736274D1C10_MetadataUsageId;
extern const uint32_t Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9_MetadataUsageId;
extern const uint32_t Vector4__cctor_m478FA6A83B8E23F8323F150FF90B1FB934B1C251_MetadataUsageId;
extern const uint32_t Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98_MetadataUsageId;
extern const uint32_t Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397_MetadataUsageId;
extern const uint32_t Vector4_get_zero_m42821248DDFA4F9A3E0B2E84CBCB737BE9DCE3E9_MetadataUsageId;
extern const uint32_t Vector4_op_Equality_m9AE0D09EC7E02201F94AE469ADE9F416D0E20441_MetadataUsageId;
extern const uint32_t Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45_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 DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86;
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83;
struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A;
struct ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694;
struct ParameterModifierU5BU5D_t63EC46F14F048DC9EF6BF1362E8AEBEA1A05A5EA;
struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E;
struct UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E;
struct CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9;
struct DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9;
struct HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745;
struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6;
struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28;
#ifndef RUNTIMEOBJECT_H
#define RUNTIMEOBJECT_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Object
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEOBJECT_H
struct Il2CppArrayBounds;
#ifndef RUNTIMEARRAY_H
#define RUNTIMEARRAY_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Array
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEARRAY_H
#ifndef ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#define ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Attribute
struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#ifndef LIST_1_T6E5C746AF7DE21972A905DE655062193862839D6_H
#define LIST_1_T6E5C746AF7DE21972A905DE655062193862839D6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext_WorkRequest>
struct List_1_t6E5C746AF7DE21972A905DE655062193862839D6 : public RuntimeObject
{
public:
// T[] System.Collections.Generic.List`1::_items
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ____items_1;
// System.Int32 System.Collections.Generic.List`1::_size
int32_t ____size_2;
// System.Int32 System.Collections.Generic.List`1::_version
int32_t ____version_3;
// System.Object System.Collections.Generic.List`1::_syncRoot
RuntimeObject * ____syncRoot_4;
public:
inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t6E5C746AF7DE21972A905DE655062193862839D6, ____items_1)); }
inline WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* get__items_1() const { return ____items_1; }
inline WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0** get_address_of__items_1() { return &____items_1; }
inline void set__items_1(WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* value)
{
____items_1 = value;
Il2CppCodeGenWriteBarrier((&____items_1), value);
}
inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t6E5C746AF7DE21972A905DE655062193862839D6, ____size_2)); }
inline int32_t get__size_2() const { return ____size_2; }
inline int32_t* get_address_of__size_2() { return &____size_2; }
inline void set__size_2(int32_t value)
{
____size_2 = value;
}
inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t6E5C746AF7DE21972A905DE655062193862839D6, ____version_3)); }
inline int32_t get__version_3() const { return ____version_3; }
inline int32_t* get_address_of__version_3() { return &____version_3; }
inline void set__version_3(int32_t value)
{
____version_3 = value;
}
inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t6E5C746AF7DE21972A905DE655062193862839D6, ____syncRoot_4)); }
inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; }
inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; }
inline void set__syncRoot_4(RuntimeObject * value)
{
____syncRoot_4 = value;
Il2CppCodeGenWriteBarrier((&____syncRoot_4), value);
}
};
struct List_1_t6E5C746AF7DE21972A905DE655062193862839D6_StaticFields
{
public:
// T[] System.Collections.Generic.List`1::_emptyArray
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ____emptyArray_5;
public:
inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t6E5C746AF7DE21972A905DE655062193862839D6_StaticFields, ____emptyArray_5)); }
inline WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* get__emptyArray_5() const { return ____emptyArray_5; }
inline WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0** get_address_of__emptyArray_5() { return &____emptyArray_5; }
inline void set__emptyArray_5(WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* value)
{
____emptyArray_5 = value;
Il2CppCodeGenWriteBarrier((&____emptyArray_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LIST_1_T6E5C746AF7DE21972A905DE655062193862839D6_H
#ifndef STACK_T37723B68CC4FFD95F0F3D06A5D42D7DEE7569643_H
#define STACK_T37723B68CC4FFD95F0F3D06A5D42D7DEE7569643_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&____array_0), 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((&____syncRoot_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STACK_T37723B68CC4FFD95F0F3D06A5D42D7DEE7569643_H
#ifndef STACKFRAME_TD06959DD2B585E9BEB73C60AB5C110DE69F23A00_H
#define STACKFRAME_TD06959DD2B585E9BEB73C60AB5C110DE69F23A00_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Diagnostics.StackFrame
struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 : public RuntimeObject
{
public:
// System.Int32 System.Diagnostics.StackFrame::ilOffset
int32_t ___ilOffset_1;
// System.Int32 System.Diagnostics.StackFrame::nativeOffset
int32_t ___nativeOffset_2;
// System.Int64 System.Diagnostics.StackFrame::methodAddress
int64_t ___methodAddress_3;
// System.UInt32 System.Diagnostics.StackFrame::methodIndex
uint32_t ___methodIndex_4;
// System.Reflection.MethodBase System.Diagnostics.StackFrame::methodBase
MethodBase_t * ___methodBase_5;
// System.String System.Diagnostics.StackFrame::fileName
String_t* ___fileName_6;
// System.Int32 System.Diagnostics.StackFrame::lineNumber
int32_t ___lineNumber_7;
// System.Int32 System.Diagnostics.StackFrame::columnNumber
int32_t ___columnNumber_8;
// System.String System.Diagnostics.StackFrame::internalMethodName
String_t* ___internalMethodName_9;
public:
inline static int32_t get_offset_of_ilOffset_1() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___ilOffset_1)); }
inline int32_t get_ilOffset_1() const { return ___ilOffset_1; }
inline int32_t* get_address_of_ilOffset_1() { return &___ilOffset_1; }
inline void set_ilOffset_1(int32_t value)
{
___ilOffset_1 = value;
}
inline static int32_t get_offset_of_nativeOffset_2() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___nativeOffset_2)); }
inline int32_t get_nativeOffset_2() const { return ___nativeOffset_2; }
inline int32_t* get_address_of_nativeOffset_2() { return &___nativeOffset_2; }
inline void set_nativeOffset_2(int32_t value)
{
___nativeOffset_2 = value;
}
inline static int32_t get_offset_of_methodAddress_3() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodAddress_3)); }
inline int64_t get_methodAddress_3() const { return ___methodAddress_3; }
inline int64_t* get_address_of_methodAddress_3() { return &___methodAddress_3; }
inline void set_methodAddress_3(int64_t value)
{
___methodAddress_3 = value;
}
inline static int32_t get_offset_of_methodIndex_4() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodIndex_4)); }
inline uint32_t get_methodIndex_4() const { return ___methodIndex_4; }
inline uint32_t* get_address_of_methodIndex_4() { return &___methodIndex_4; }
inline void set_methodIndex_4(uint32_t value)
{
___methodIndex_4 = value;
}
inline static int32_t get_offset_of_methodBase_5() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodBase_5)); }
inline MethodBase_t * get_methodBase_5() const { return ___methodBase_5; }
inline MethodBase_t ** get_address_of_methodBase_5() { return &___methodBase_5; }
inline void set_methodBase_5(MethodBase_t * value)
{
___methodBase_5 = value;
Il2CppCodeGenWriteBarrier((&___methodBase_5), value);
}
inline static int32_t get_offset_of_fileName_6() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___fileName_6)); }
inline String_t* get_fileName_6() const { return ___fileName_6; }
inline String_t** get_address_of_fileName_6() { return &___fileName_6; }
inline void set_fileName_6(String_t* value)
{
___fileName_6 = value;
Il2CppCodeGenWriteBarrier((&___fileName_6), value);
}
inline static int32_t get_offset_of_lineNumber_7() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___lineNumber_7)); }
inline int32_t get_lineNumber_7() const { return ___lineNumber_7; }
inline int32_t* get_address_of_lineNumber_7() { return &___lineNumber_7; }
inline void set_lineNumber_7(int32_t value)
{
___lineNumber_7 = value;
}
inline static int32_t get_offset_of_columnNumber_8() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___columnNumber_8)); }
inline int32_t get_columnNumber_8() const { return ___columnNumber_8; }
inline int32_t* get_address_of_columnNumber_8() { return &___columnNumber_8; }
inline void set_columnNumber_8(int32_t value)
{
___columnNumber_8 = value;
}
inline static int32_t get_offset_of_internalMethodName_9() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___internalMethodName_9)); }
inline String_t* get_internalMethodName_9() const { return ___internalMethodName_9; }
inline String_t** get_address_of_internalMethodName_9() { return &___internalMethodName_9; }
inline void set_internalMethodName_9(String_t* value)
{
___internalMethodName_9 = value;
Il2CppCodeGenWriteBarrier((&___internalMethodName_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Diagnostics.StackFrame
struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00_marshaled_pinvoke
{
int32_t ___ilOffset_1;
int32_t ___nativeOffset_2;
int64_t ___methodAddress_3;
uint32_t ___methodIndex_4;
MethodBase_t * ___methodBase_5;
char* ___fileName_6;
int32_t ___lineNumber_7;
int32_t ___columnNumber_8;
char* ___internalMethodName_9;
};
// Native definition for COM marshalling of System.Diagnostics.StackFrame
struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00_marshaled_com
{
int32_t ___ilOffset_1;
int32_t ___nativeOffset_2;
int64_t ___methodAddress_3;
uint32_t ___methodIndex_4;
MethodBase_t * ___methodBase_5;
Il2CppChar* ___fileName_6;
int32_t ___lineNumber_7;
int32_t ___columnNumber_8;
Il2CppChar* ___internalMethodName_9;
};
#endif // STACKFRAME_TD06959DD2B585E9BEB73C60AB5C110DE69F23A00_H
#ifndef STACKTRACE_TD5D45826A379D8DF0CFB2CA206D992EE718C7E99_H
#define STACKTRACE_TD5D45826A379D8DF0CFB2CA206D992EE718C7E99_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Diagnostics.StackTrace
struct StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 : public RuntimeObject
{
public:
// System.Diagnostics.StackFrame[] System.Diagnostics.StackTrace::frames
StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D* ___frames_1;
// System.Diagnostics.StackTrace[] System.Diagnostics.StackTrace::captured_traces
StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_2;
// System.Boolean System.Diagnostics.StackTrace::debug_info
bool ___debug_info_3;
public:
inline static int32_t get_offset_of_frames_1() { return static_cast<int32_t>(offsetof(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99, ___frames_1)); }
inline StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D* get_frames_1() const { return ___frames_1; }
inline StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D** get_address_of_frames_1() { return &___frames_1; }
inline void set_frames_1(StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D* value)
{
___frames_1 = value;
Il2CppCodeGenWriteBarrier((&___frames_1), value);
}
inline static int32_t get_offset_of_captured_traces_2() { return static_cast<int32_t>(offsetof(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99, ___captured_traces_2)); }
inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* get_captured_traces_2() const { return ___captured_traces_2; }
inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196** get_address_of_captured_traces_2() { return &___captured_traces_2; }
inline void set_captured_traces_2(StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* value)
{
___captured_traces_2 = value;
Il2CppCodeGenWriteBarrier((&___captured_traces_2), value);
}
inline static int32_t get_offset_of_debug_info_3() { return static_cast<int32_t>(offsetof(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99, ___debug_info_3)); }
inline bool get_debug_info_3() const { return ___debug_info_3; }
inline bool* get_address_of_debug_info_3() { return &___debug_info_3; }
inline void set_debug_info_3(bool value)
{
___debug_info_3 = value;
}
};
struct StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_StaticFields
{
public:
// System.Boolean System.Diagnostics.StackTrace::isAotidSet
bool ___isAotidSet_4;
// System.String System.Diagnostics.StackTrace::aotid
String_t* ___aotid_5;
public:
inline static int32_t get_offset_of_isAotidSet_4() { return static_cast<int32_t>(offsetof(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_StaticFields, ___isAotidSet_4)); }
inline bool get_isAotidSet_4() const { return ___isAotidSet_4; }
inline bool* get_address_of_isAotidSet_4() { return &___isAotidSet_4; }
inline void set_isAotidSet_4(bool value)
{
___isAotidSet_4 = value;
}
inline static int32_t get_offset_of_aotid_5() { return static_cast<int32_t>(offsetof(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_StaticFields, ___aotid_5)); }
inline String_t* get_aotid_5() const { return ___aotid_5; }
inline String_t** get_address_of_aotid_5() { return &___aotid_5; }
inline void set_aotid_5(String_t* value)
{
___aotid_5 = value;
Il2CppCodeGenWriteBarrier((&___aotid_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STACKTRACE_TD5D45826A379D8DF0CFB2CA206D992EE718C7E99_H
#ifndef EVENTARGS_T8E6CA180BE0E56674C6407011A94BAF7C757352E_H
#define EVENTARGS_T8E6CA180BE0E56674C6407011A94BAF7C757352E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___Empty_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EVENTARGS_T8E6CA180BE0E56674C6407011A94BAF7C757352E_H
#ifndef EXCEPTION_T_H
#define EXCEPTION_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&____className_1), 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((&____message_2), 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((&____data_3), 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((&____innerException_4), 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((&____helpURL_5), 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((&____stackTrace_6), 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((&____stackTraceString_7), 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((&____remoteStackTraceString_8), 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((&____dynamicMethods_10), 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((&____source_12), 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((&____safeSerializationManager_13), 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((&___captured_traces_14), 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((&___native_trace_ips_15), 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((&___s_EDILock_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
intptr_t* ___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;
intptr_t* ___native_trace_ips_15;
};
#endif // EXCEPTION_T_H
#ifndef CULTUREINFO_T345AC6924134F039ED9A11F3E03F8E91B6A3225F_H
#define CULTUREINFO_T345AC6924134F039ED9A11F3E03F8E91B6A3225F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___numInfo_10), 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((&___dateTimeInfo_11), 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((&___textInfo_12), 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((&___m_name_13), 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((&___englishname_14), 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((&___nativename_15), 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((&___iso3lang_16), 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((&___iso2lang_17), 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((&___win3lang_18), 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((&___territory_19), 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((&___native_calendar_names_20), 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((&___compareInfo_21), 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((&___calendar_24), 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((&___parent_culture_25), 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((&___cached_serialized_form_27), 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((&___m_cultureData_28), 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((&___invariant_culture_info_0), 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((&___shared_table_lock_1), 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((&___default_current_culture_2), 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((&___s_DefaultThreadCurrentUICulture_33), 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((&___s_DefaultThreadCurrentCulture_34), 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((&___shared_by_number_35), 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((&___shared_by_name_36), 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
uint8_t* ___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;
uint8_t* ___cached_serialized_form_27;
CultureData_tF43B080FFA6EB278F4F289BCDA3FB74B6C208ECD_marshaled_com* ___m_cultureData_28;
int32_t ___m_isInherited_29;
};
#endif // CULTUREINFO_T345AC6924134F039ED9A11F3E03F8E91B6A3225F_H
#ifndef MARSHALBYREFOBJECT_TC4577953D0A44D0AB8597CFA868E01C858B1C9AF_H
#define MARSHALBYREFOBJECT_TC4577953D0A44D0AB8597CFA868E01C858B1C9AF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&____identity_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
};
#endif // MARSHALBYREFOBJECT_TC4577953D0A44D0AB8597CFA868E01C858B1C9AF_H
#ifndef BINDER_T4D5CB06963501D32847C057B57157D6DC49CA759_H
#define BINDER_T4D5CB06963501D32847C057B57157D6DC49CA759_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.Binder
struct Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BINDER_T4D5CB06963501D32847C057B57157D6DC49CA759_H
#ifndef MEMBERINFO_T_H
#define MEMBERINFO_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.MemberInfo
struct MemberInfo_t : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MEMBERINFO_T_H
#ifndef CRITICALFINALIZEROBJECT_T8B006E1DEE084E781F5C0F3283E9226E28894DD9_H
#define CRITICALFINALIZEROBJECT_T8B006E1DEE084E781F5C0F3283E9226E28894DD9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.ConstrainedExecution.CriticalFinalizerObject
struct CriticalFinalizerObject_t8B006E1DEE084E781F5C0F3283E9226E28894DD9 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CRITICALFINALIZEROBJECT_T8B006E1DEE084E781F5C0F3283E9226E28894DD9_H
#ifndef SERIALIZATIONINFO_T1BB80E9C9DEA52DBF464487234B045E2930ADA26_H
#define SERIALIZATIONINFO_T1BB80E9C9DEA52DBF464487234B045E2930ADA26_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.Serialization.SerializationInfo
struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 : public RuntimeObject
{
public:
// System.String[] System.Runtime.Serialization.SerializationInfo::m_members
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_members_0;
// System.Object[] System.Runtime.Serialization.SerializationInfo::m_data
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___m_data_1;
// System.Type[] System.Runtime.Serialization.SerializationInfo::m_types
TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___m_types_2;
// System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Runtime.Serialization.SerializationInfo::m_nameToIndex
Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * ___m_nameToIndex_3;
// System.Int32 System.Runtime.Serialization.SerializationInfo::m_currMember
int32_t ___m_currMember_4;
// System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.SerializationInfo::m_converter
RuntimeObject* ___m_converter_5;
// System.String System.Runtime.Serialization.SerializationInfo::m_fullTypeName
String_t* ___m_fullTypeName_6;
// System.String System.Runtime.Serialization.SerializationInfo::m_assemName
String_t* ___m_assemName_7;
// System.Type System.Runtime.Serialization.SerializationInfo::objectType
Type_t * ___objectType_8;
// System.Boolean System.Runtime.Serialization.SerializationInfo::isFullTypeNameSetExplicit
bool ___isFullTypeNameSetExplicit_9;
// System.Boolean System.Runtime.Serialization.SerializationInfo::isAssemblyNameSetExplicit
bool ___isAssemblyNameSetExplicit_10;
// System.Boolean System.Runtime.Serialization.SerializationInfo::requireSameTokenInPartialTrust
bool ___requireSameTokenInPartialTrust_11;
public:
inline static int32_t get_offset_of_m_members_0() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___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((&___m_members_0), value);
}
inline static int32_t get_offset_of_m_data_1() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___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((&___m_data_1), value);
}
inline static int32_t get_offset_of_m_types_2() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___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((&___m_types_2), value);
}
inline static int32_t get_offset_of_m_nameToIndex_3() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_nameToIndex_3)); }
inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * get_m_nameToIndex_3() const { return ___m_nameToIndex_3; }
inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB ** get_address_of_m_nameToIndex_3() { return &___m_nameToIndex_3; }
inline void set_m_nameToIndex_3(Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * value)
{
___m_nameToIndex_3 = value;
Il2CppCodeGenWriteBarrier((&___m_nameToIndex_3), value);
}
inline static int32_t get_offset_of_m_currMember_4() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_currMember_4)); }
inline int32_t get_m_currMember_4() const { return ___m_currMember_4; }
inline int32_t* get_address_of_m_currMember_4() { return &___m_currMember_4; }
inline void set_m_currMember_4(int32_t value)
{
___m_currMember_4 = value;
}
inline static int32_t get_offset_of_m_converter_5() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_converter_5)); }
inline RuntimeObject* get_m_converter_5() const { return ___m_converter_5; }
inline RuntimeObject** get_address_of_m_converter_5() { return &___m_converter_5; }
inline void set_m_converter_5(RuntimeObject* value)
{
___m_converter_5 = value;
Il2CppCodeGenWriteBarrier((&___m_converter_5), value);
}
inline static int32_t get_offset_of_m_fullTypeName_6() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_fullTypeName_6)); }
inline String_t* get_m_fullTypeName_6() const { return ___m_fullTypeName_6; }
inline String_t** get_address_of_m_fullTypeName_6() { return &___m_fullTypeName_6; }
inline void set_m_fullTypeName_6(String_t* value)
{
___m_fullTypeName_6 = value;
Il2CppCodeGenWriteBarrier((&___m_fullTypeName_6), value);
}
inline static int32_t get_offset_of_m_assemName_7() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_assemName_7)); }
inline String_t* get_m_assemName_7() const { return ___m_assemName_7; }
inline String_t** get_address_of_m_assemName_7() { return &___m_assemName_7; }
inline void set_m_assemName_7(String_t* value)
{
___m_assemName_7 = value;
Il2CppCodeGenWriteBarrier((&___m_assemName_7), value);
}
inline static int32_t get_offset_of_objectType_8() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___objectType_8)); }
inline Type_t * get_objectType_8() const { return ___objectType_8; }
inline Type_t ** get_address_of_objectType_8() { return &___objectType_8; }
inline void set_objectType_8(Type_t * value)
{
___objectType_8 = value;
Il2CppCodeGenWriteBarrier((&___objectType_8), value);
}
inline static int32_t get_offset_of_isFullTypeNameSetExplicit_9() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isFullTypeNameSetExplicit_9)); }
inline bool get_isFullTypeNameSetExplicit_9() const { return ___isFullTypeNameSetExplicit_9; }
inline bool* get_address_of_isFullTypeNameSetExplicit_9() { return &___isFullTypeNameSetExplicit_9; }
inline void set_isFullTypeNameSetExplicit_9(bool value)
{
___isFullTypeNameSetExplicit_9 = value;
}
inline static int32_t get_offset_of_isAssemblyNameSetExplicit_10() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isAssemblyNameSetExplicit_10)); }
inline bool get_isAssemblyNameSetExplicit_10() const { return ___isAssemblyNameSetExplicit_10; }
inline bool* get_address_of_isAssemblyNameSetExplicit_10() { return &___isAssemblyNameSetExplicit_10; }
inline void set_isAssemblyNameSetExplicit_10(bool value)
{
___isAssemblyNameSetExplicit_10 = value;
}
inline static int32_t get_offset_of_requireSameTokenInPartialTrust_11() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___requireSameTokenInPartialTrust_11)); }
inline bool get_requireSameTokenInPartialTrust_11() const { return ___requireSameTokenInPartialTrust_11; }
inline bool* get_address_of_requireSameTokenInPartialTrust_11() { return &___requireSameTokenInPartialTrust_11; }
inline void set_requireSameTokenInPartialTrust_11(bool value)
{
___requireSameTokenInPartialTrust_11 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SERIALIZATIONINFO_T1BB80E9C9DEA52DBF464487234B045E2930ADA26_H
#ifndef STRING_T_H
#define STRING_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___Empty_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STRING_T_H
#ifndef STRINGBUILDER_T_H
#define STRINGBUILDER_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___m_ChunkChars_0), 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((&___m_ChunkPrevious_1), 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STRINGBUILDER_T_H
#ifndef SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#define SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.SynchronizationContext
struct SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#ifndef VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#define VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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
{
};
#endif // VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifndef CUSTOMYIELDINSTRUCTION_T819BB0973AFF22766749FF087B8AEFEAF3C2CB7D_H
#define CUSTOMYIELDINSTRUCTION_T819BB0973AFF22766749FF087B8AEFEAF3C2CB7D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.CustomYieldInstruction
struct CustomYieldInstruction_t819BB0973AFF22766749FF087B8AEFEAF3C2CB7D : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CUSTOMYIELDINSTRUCTION_T819BB0973AFF22766749FF087B8AEFEAF3C2CB7D_H
#ifndef RESOURCES_T516CB639AA1F373695D285E3F9274C65A70D3935_H
#define RESOURCES_T516CB639AA1F373695D285E3F9274C65A70D3935_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Resources
struct Resources_t516CB639AA1F373695D285E3F9274C65A70D3935 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RESOURCES_T516CB639AA1F373695D285E3F9274C65A70D3935_H
#ifndef SCENEMANAGER_T68A7070D2AD3860C3EE327C94F38270E49AFB489_H
#define SCENEMANAGER_T68A7070D2AD3860C3EE327C94F38270E49AFB489_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SceneManagement.SceneManager
struct SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489 : public RuntimeObject
{
public:
public:
};
struct SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields
{
public:
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode> UnityEngine.SceneManagement.SceneManager::sceneLoaded
UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * ___sceneLoaded_0;
// UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::sceneUnloaded
UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * ___sceneUnloaded_1;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::activeSceneChanged
UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * ___activeSceneChanged_2;
public:
inline static int32_t get_offset_of_sceneLoaded_0() { return static_cast<int32_t>(offsetof(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields, ___sceneLoaded_0)); }
inline UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * get_sceneLoaded_0() const { return ___sceneLoaded_0; }
inline UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 ** get_address_of_sceneLoaded_0() { return &___sceneLoaded_0; }
inline void set_sceneLoaded_0(UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * value)
{
___sceneLoaded_0 = value;
Il2CppCodeGenWriteBarrier((&___sceneLoaded_0), value);
}
inline static int32_t get_offset_of_sceneUnloaded_1() { return static_cast<int32_t>(offsetof(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields, ___sceneUnloaded_1)); }
inline UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * get_sceneUnloaded_1() const { return ___sceneUnloaded_1; }
inline UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 ** get_address_of_sceneUnloaded_1() { return &___sceneUnloaded_1; }
inline void set_sceneUnloaded_1(UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * value)
{
___sceneUnloaded_1 = value;
Il2CppCodeGenWriteBarrier((&___sceneUnloaded_1), value);
}
inline static int32_t get_offset_of_activeSceneChanged_2() { return static_cast<int32_t>(offsetof(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields, ___activeSceneChanged_2)); }
inline UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * get_activeSceneChanged_2() const { return ___activeSceneChanged_2; }
inline UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F ** get_address_of_activeSceneChanged_2() { return &___activeSceneChanged_2; }
inline void set_activeSceneChanged_2(UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * value)
{
___activeSceneChanged_2 = value;
Il2CppCodeGenWriteBarrier((&___activeSceneChanged_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCENEMANAGER_T68A7070D2AD3860C3EE327C94F38270E49AFB489_H
#ifndef SCREEN_T944BF198A224711F69B3AA5B8C080A3A4179D3BD_H
#define SCREEN_T944BF198A224711F69B3AA5B8C080A3A4179D3BD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Screen
struct Screen_t944BF198A224711F69B3AA5B8C080A3A4179D3BD : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCREEN_T944BF198A224711F69B3AA5B8C080A3A4179D3BD_H
#ifndef SENDMOUSEEVENTS_T546CC3FE17ABE003CE43A2D04FAC016198C9BC02_H
#define SENDMOUSEEVENTS_T546CC3FE17ABE003CE43A2D04FAC016198C9BC02_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SendMouseEvents
struct SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02 : public RuntimeObject
{
public:
public:
};
struct SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields
{
public:
// System.Boolean UnityEngine.SendMouseEvents::s_MouseUsed
bool ___s_MouseUsed_0;
// UnityEngine.SendMouseEvents_HitInfo[] UnityEngine.SendMouseEvents::m_LastHit
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* ___m_LastHit_1;
// UnityEngine.SendMouseEvents_HitInfo[] UnityEngine.SendMouseEvents::m_MouseDownHit
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* ___m_MouseDownHit_2;
// UnityEngine.SendMouseEvents_HitInfo[] UnityEngine.SendMouseEvents::m_CurrentHit
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* ___m_CurrentHit_3;
// UnityEngine.Camera[] UnityEngine.SendMouseEvents::m_Cameras
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* ___m_Cameras_4;
public:
inline static int32_t get_offset_of_s_MouseUsed_0() { return static_cast<int32_t>(offsetof(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields, ___s_MouseUsed_0)); }
inline bool get_s_MouseUsed_0() const { return ___s_MouseUsed_0; }
inline bool* get_address_of_s_MouseUsed_0() { return &___s_MouseUsed_0; }
inline void set_s_MouseUsed_0(bool value)
{
___s_MouseUsed_0 = value;
}
inline static int32_t get_offset_of_m_LastHit_1() { return static_cast<int32_t>(offsetof(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields, ___m_LastHit_1)); }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* get_m_LastHit_1() const { return ___m_LastHit_1; }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745** get_address_of_m_LastHit_1() { return &___m_LastHit_1; }
inline void set_m_LastHit_1(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* value)
{
___m_LastHit_1 = value;
Il2CppCodeGenWriteBarrier((&___m_LastHit_1), value);
}
inline static int32_t get_offset_of_m_MouseDownHit_2() { return static_cast<int32_t>(offsetof(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields, ___m_MouseDownHit_2)); }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* get_m_MouseDownHit_2() const { return ___m_MouseDownHit_2; }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745** get_address_of_m_MouseDownHit_2() { return &___m_MouseDownHit_2; }
inline void set_m_MouseDownHit_2(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* value)
{
___m_MouseDownHit_2 = value;
Il2CppCodeGenWriteBarrier((&___m_MouseDownHit_2), value);
}
inline static int32_t get_offset_of_m_CurrentHit_3() { return static_cast<int32_t>(offsetof(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields, ___m_CurrentHit_3)); }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* get_m_CurrentHit_3() const { return ___m_CurrentHit_3; }
inline HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745** get_address_of_m_CurrentHit_3() { return &___m_CurrentHit_3; }
inline void set_m_CurrentHit_3(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* value)
{
___m_CurrentHit_3 = value;
Il2CppCodeGenWriteBarrier((&___m_CurrentHit_3), value);
}
inline static int32_t get_offset_of_m_Cameras_4() { return static_cast<int32_t>(offsetof(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields, ___m_Cameras_4)); }
inline CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* get_m_Cameras_4() const { return ___m_Cameras_4; }
inline CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9** get_address_of_m_Cameras_4() { return &___m_Cameras_4; }
inline void set_m_Cameras_4(CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* value)
{
___m_Cameras_4 = value;
Il2CppCodeGenWriteBarrier((&___m_Cameras_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SENDMOUSEEVENTS_T546CC3FE17ABE003CE43A2D04FAC016198C9BC02_H
#ifndef SETUPCOROUTINE_T23D96E8946556DF54E40AC4495CE62B17997D394_H
#define SETUPCOROUTINE_T23D96E8946556DF54E40AC4495CE62B17997D394_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SetupCoroutine
struct SetupCoroutine_t23D96E8946556DF54E40AC4495CE62B17997D394 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SETUPCOROUTINE_T23D96E8946556DF54E40AC4495CE62B17997D394_H
#ifndef DATAUTILITY_TCB73BC0DADF53AB46BADD161F652D75507C8A872_H
#define DATAUTILITY_TCB73BC0DADF53AB46BADD161F652D75507C8A872_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Sprites.DataUtility
struct DataUtility_tCB73BC0DADF53AB46BADD161F652D75507C8A872 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DATAUTILITY_TCB73BC0DADF53AB46BADD161F652D75507C8A872_H
#ifndef STACKTRACEUTILITY_TEC8508315507A7E593CB689255A3FDACEE505C47_H
#define STACKTRACEUTILITY_TEC8508315507A7E593CB689255A3FDACEE505C47_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.StackTraceUtility
struct StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47 : public RuntimeObject
{
public:
public:
};
struct StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields
{
public:
// System.String UnityEngine.StackTraceUtility::projectFolder
String_t* ___projectFolder_0;
public:
inline static int32_t get_offset_of_projectFolder_0() { return static_cast<int32_t>(offsetof(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields, ___projectFolder_0)); }
inline String_t* get_projectFolder_0() const { return ___projectFolder_0; }
inline String_t** get_address_of_projectFolder_0() { return &___projectFolder_0; }
inline void set_projectFolder_0(String_t* value)
{
___projectFolder_0 = value;
Il2CppCodeGenWriteBarrier((&___projectFolder_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STACKTRACEUTILITY_TEC8508315507A7E593CB689255A3FDACEE505C47_H
#ifndef SYSTEMINFO_T94EEC32D450B80C297412606B6221043013A55D9_H
#define SYSTEMINFO_T94EEC32D450B80C297412606B6221043013A55D9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SystemInfo
struct SystemInfo_t94EEC32D450B80C297412606B6221043013A55D9 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SYSTEMINFO_T94EEC32D450B80C297412606B6221043013A55D9_H
#ifndef TIME_T0C14CAF02A532E5385B5A26F8367E384DC289F48_H
#define TIME_T0C14CAF02A532E5385B5A26F8367E384DC289F48_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Time
struct Time_t0C14CAF02A532E5385B5A26F8367E384DC289F48 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TIME_T0C14CAF02A532E5385B5A26F8367E384DC289F48_H
#ifndef ENUMERATOR_T638F7B8050EF8C37413868F2AF7EA5E1D36123CC_H
#define ENUMERATOR_T638F7B8050EF8C37413868F2AF7EA5E1D36123CC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Transform_Enumerator
struct Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC : public RuntimeObject
{
public:
// UnityEngine.Transform UnityEngine.Transform_Enumerator::outer
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___outer_0;
// System.Int32 UnityEngine.Transform_Enumerator::currentIndex
int32_t ___currentIndex_1;
public:
inline static int32_t get_offset_of_outer_0() { return static_cast<int32_t>(offsetof(Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC, ___outer_0)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_outer_0() const { return ___outer_0; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_outer_0() { return &___outer_0; }
inline void set_outer_0(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___outer_0 = value;
Il2CppCodeGenWriteBarrier((&___outer_0), value);
}
inline static int32_t get_offset_of_currentIndex_1() { return static_cast<int32_t>(offsetof(Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC, ___currentIndex_1)); }
inline int32_t get_currentIndex_1() const { return ___currentIndex_1; }
inline int32_t* get_address_of_currentIndex_1() { return &___currentIndex_1; }
inline void set_currentIndex_1(int32_t value)
{
___currentIndex_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENUMERATOR_T638F7B8050EF8C37413868F2AF7EA5E1D36123CC_H
#ifndef SPRITEATLASMANAGER_T1C01B60566565F3F93DB97484F390383781FF98F_H
#define SPRITEATLASMANAGER_T1C01B60566565F3F93DB97484F390383781FF98F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.U2D.SpriteAtlasManager
struct SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F : public RuntimeObject
{
public:
public:
};
struct SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields
{
public:
// System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>> UnityEngine.U2D.SpriteAtlasManager::atlasRequested
Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * ___atlasRequested_0;
// System.Action`1<UnityEngine.U2D.SpriteAtlas> UnityEngine.U2D.SpriteAtlasManager::atlasRegistered
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * ___atlasRegistered_1;
// System.Action`1<UnityEngine.U2D.SpriteAtlas> UnityEngine.U2D.SpriteAtlasManager::<>f__mgU24cache0
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * ___U3CU3Ef__mgU24cache0_2;
public:
inline static int32_t get_offset_of_atlasRequested_0() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields, ___atlasRequested_0)); }
inline Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * get_atlasRequested_0() const { return ___atlasRequested_0; }
inline Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 ** get_address_of_atlasRequested_0() { return &___atlasRequested_0; }
inline void set_atlasRequested_0(Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * value)
{
___atlasRequested_0 = value;
Il2CppCodeGenWriteBarrier((&___atlasRequested_0), value);
}
inline static int32_t get_offset_of_atlasRegistered_1() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields, ___atlasRegistered_1)); }
inline Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * get_atlasRegistered_1() const { return ___atlasRegistered_1; }
inline Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 ** get_address_of_atlasRegistered_1() { return &___atlasRegistered_1; }
inline void set_atlasRegistered_1(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * value)
{
___atlasRegistered_1 = value;
Il2CppCodeGenWriteBarrier((&___atlasRegistered_1), value);
}
inline static int32_t get_offset_of_U3CU3Ef__mgU24cache0_2() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields, ___U3CU3Ef__mgU24cache0_2)); }
inline Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * get_U3CU3Ef__mgU24cache0_2() const { return ___U3CU3Ef__mgU24cache0_2; }
inline Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 ** get_address_of_U3CU3Ef__mgU24cache0_2() { return &___U3CU3Ef__mgU24cache0_2; }
inline void set_U3CU3Ef__mgU24cache0_2(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * value)
{
___U3CU3Ef__mgU24cache0_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3Ef__mgU24cache0_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPRITEATLASMANAGER_T1C01B60566565F3F93DB97484F390383781FF98F_H
#ifndef UNHANDLEDEXCEPTIONHANDLER_TF4F8A50BB2C5592177E80592BB181B43297850AC_H
#define UNHANDLEDEXCEPTIONHANDLER_TF4F8A50BB2C5592177E80592BB181B43297850AC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnhandledExceptionHandler
struct UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC : public RuntimeObject
{
public:
public:
};
struct UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_StaticFields
{
public:
// System.UnhandledExceptionEventHandler UnityEngine.UnhandledExceptionHandler::<>f__mgU24cache0
UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * ___U3CU3Ef__mgU24cache0_0;
public:
inline static int32_t get_offset_of_U3CU3Ef__mgU24cache0_0() { return static_cast<int32_t>(offsetof(UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_StaticFields, ___U3CU3Ef__mgU24cache0_0)); }
inline UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * get_U3CU3Ef__mgU24cache0_0() const { return ___U3CU3Ef__mgU24cache0_0; }
inline UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE ** get_address_of_U3CU3Ef__mgU24cache0_0() { return &___U3CU3Ef__mgU24cache0_0; }
inline void set_U3CU3Ef__mgU24cache0_0(UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * value)
{
___U3CU3Ef__mgU24cache0_0 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3Ef__mgU24cache0_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNHANDLEDEXCEPTIONHANDLER_TF4F8A50BB2C5592177E80592BB181B43297850AC_H
#ifndef YIELDINSTRUCTION_T836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_H
#define YIELDINSTRUCTION_T836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.YieldInstruction
struct YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.YieldInstruction
struct YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.YieldInstruction
struct YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com
{
};
#endif // YIELDINSTRUCTION_T836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_H
#ifndef NOTIFICATIONHELPER_T0EB5401C1C0BCA9E371168B32D8BAFDB94CEDC07_H
#define NOTIFICATIONHELPER_T0EB5401C1C0BCA9E371168B32D8BAFDB94CEDC07_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.iOS.NotificationHelper
struct NotificationHelper_t0EB5401C1C0BCA9E371168B32D8BAFDB94CEDC07 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NOTIFICATIONHELPER_T0EB5401C1C0BCA9E371168B32D8BAFDB94CEDC07_H
#ifndef NETFXCOREEXTENSIONS_T7D32855D478E08AB317D48832133C0584F744747_H
#define NETFXCOREEXTENSIONS_T7D32855D478E08AB317D48832133C0584F744747_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.NetFxCoreExtensions
struct NetFxCoreExtensions_t7D32855D478E08AB317D48832133C0584F744747 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NETFXCOREEXTENSIONS_T7D32855D478E08AB317D48832133C0584F744747_H
#ifndef SCRIPTINGUTILS_T6E4EF749FD91F502695384B7D76CFD09DDA67F44_H
#define SCRIPTINGUTILS_T6E4EF749FD91F502695384B7D76CFD09DDA67F44_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.ScriptingUtils
struct ScriptingUtils_t6E4EF749FD91F502695384B7D76CFD09DDA67F44 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCRIPTINGUTILS_T6E4EF749FD91F502695384B7D76CFD09DDA67F44_H
#ifndef BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#define BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___TrueString_5), 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((&___FalseString_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#ifndef BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#define BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#ifndef CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#define CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___categoryForLatin1_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#ifndef DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#define DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___DaysToMonth365_29), 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((&___DaysToMonth366_30), 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifndef ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#define ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___enumSeperatorCharArray_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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
{
};
#endif // ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifndef TEXTWRITER_T92451D929322093838C41489883D5B2D7ABAF3F0_H
#define TEXTWRITER_T92451D929322093838C41489883D5B2D7ABAF3F0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___CoreNewLine_9), 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((&___InternalFormatProvider_10), 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((&___Null_1), 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((&____WriteCharDelegate_2), 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((&____WriteStringDelegate_3), 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((&____WriteCharArrayRangeDelegate_4), 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((&____WriteLineCharDelegate_5), 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((&____WriteLineStringDelegate_6), 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((&____WriteLineCharArrayRangeDelegate_7), 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((&____FlushDelegate_8), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTWRITER_T92451D929322093838C41489883D5B2D7ABAF3F0_H
#ifndef INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#define INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#ifndef INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#define INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#ifndef INTPTR_T_H
#define INTPTR_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTPTR_T_H
#ifndef METHODBASE_T_H
#define METHODBASE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.MethodBase
struct MethodBase_t : public MemberInfo_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // METHODBASE_T_H
#ifndef PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#define PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E
{
public:
// System.Boolean[] System.Reflection.ParameterModifier::_byRef
BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* ____byRef_0;
public:
inline static int32_t get_offset_of__byRef_0() { return static_cast<int32_t>(offsetof(ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E, ____byRef_0)); }
inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* get__byRef_0() const { return ____byRef_0; }
inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040** get_address_of__byRef_0() { return &____byRef_0; }
inline void set__byRef_0(BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* value)
{
____byRef_0 = value;
Il2CppCodeGenWriteBarrier((&____byRef_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_marshaled_pinvoke
{
int32_t* ____byRef_0;
};
// Native definition for COM marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_marshaled_com
{
int32_t* ____byRef_0;
};
#endif // PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#ifndef SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#define SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#ifndef SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#define SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.SystemException
struct SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 : public Exception_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#ifndef THREAD_TF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_H
#define THREAD_TF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Thread
struct Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 : public CriticalFinalizerObject_t8B006E1DEE084E781F5C0F3283E9226E28894DD9
{
public:
// System.Threading.InternalThread System.Threading.Thread::internal_thread
InternalThread_tA4C58C2A7D15AF43C3E7507375E6D31DBBE7D192 * ___internal_thread_6;
// System.Object System.Threading.Thread::m_ThreadStartArg
RuntimeObject * ___m_ThreadStartArg_7;
// System.Object System.Threading.Thread::pending_exception
RuntimeObject * ___pending_exception_8;
// System.Security.Principal.IPrincipal System.Threading.Thread::principal
RuntimeObject* ___principal_9;
// System.Int32 System.Threading.Thread::principal_version
int32_t ___principal_version_10;
// System.MulticastDelegate System.Threading.Thread::m_Delegate
MulticastDelegate_t * ___m_Delegate_12;
// System.Threading.ExecutionContext System.Threading.Thread::m_ExecutionContext
ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * ___m_ExecutionContext_13;
// System.Boolean System.Threading.Thread::m_ExecutionContextBelongsToOuterScope
bool ___m_ExecutionContextBelongsToOuterScope_14;
public:
inline static int32_t get_offset_of_internal_thread_6() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___internal_thread_6)); }
inline InternalThread_tA4C58C2A7D15AF43C3E7507375E6D31DBBE7D192 * get_internal_thread_6() const { return ___internal_thread_6; }
inline InternalThread_tA4C58C2A7D15AF43C3E7507375E6D31DBBE7D192 ** get_address_of_internal_thread_6() { return &___internal_thread_6; }
inline void set_internal_thread_6(InternalThread_tA4C58C2A7D15AF43C3E7507375E6D31DBBE7D192 * value)
{
___internal_thread_6 = value;
Il2CppCodeGenWriteBarrier((&___internal_thread_6), value);
}
inline static int32_t get_offset_of_m_ThreadStartArg_7() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___m_ThreadStartArg_7)); }
inline RuntimeObject * get_m_ThreadStartArg_7() const { return ___m_ThreadStartArg_7; }
inline RuntimeObject ** get_address_of_m_ThreadStartArg_7() { return &___m_ThreadStartArg_7; }
inline void set_m_ThreadStartArg_7(RuntimeObject * value)
{
___m_ThreadStartArg_7 = value;
Il2CppCodeGenWriteBarrier((&___m_ThreadStartArg_7), value);
}
inline static int32_t get_offset_of_pending_exception_8() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___pending_exception_8)); }
inline RuntimeObject * get_pending_exception_8() const { return ___pending_exception_8; }
inline RuntimeObject ** get_address_of_pending_exception_8() { return &___pending_exception_8; }
inline void set_pending_exception_8(RuntimeObject * value)
{
___pending_exception_8 = value;
Il2CppCodeGenWriteBarrier((&___pending_exception_8), value);
}
inline static int32_t get_offset_of_principal_9() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___principal_9)); }
inline RuntimeObject* get_principal_9() const { return ___principal_9; }
inline RuntimeObject** get_address_of_principal_9() { return &___principal_9; }
inline void set_principal_9(RuntimeObject* value)
{
___principal_9 = value;
Il2CppCodeGenWriteBarrier((&___principal_9), value);
}
inline static int32_t get_offset_of_principal_version_10() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___principal_version_10)); }
inline int32_t get_principal_version_10() const { return ___principal_version_10; }
inline int32_t* get_address_of_principal_version_10() { return &___principal_version_10; }
inline void set_principal_version_10(int32_t value)
{
___principal_version_10 = value;
}
inline static int32_t get_offset_of_m_Delegate_12() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___m_Delegate_12)); }
inline MulticastDelegate_t * get_m_Delegate_12() const { return ___m_Delegate_12; }
inline MulticastDelegate_t ** get_address_of_m_Delegate_12() { return &___m_Delegate_12; }
inline void set_m_Delegate_12(MulticastDelegate_t * value)
{
___m_Delegate_12 = value;
Il2CppCodeGenWriteBarrier((&___m_Delegate_12), value);
}
inline static int32_t get_offset_of_m_ExecutionContext_13() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___m_ExecutionContext_13)); }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * get_m_ExecutionContext_13() const { return ___m_ExecutionContext_13; }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 ** get_address_of_m_ExecutionContext_13() { return &___m_ExecutionContext_13; }
inline void set_m_ExecutionContext_13(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * value)
{
___m_ExecutionContext_13 = value;
Il2CppCodeGenWriteBarrier((&___m_ExecutionContext_13), value);
}
inline static int32_t get_offset_of_m_ExecutionContextBelongsToOuterScope_14() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7, ___m_ExecutionContextBelongsToOuterScope_14)); }
inline bool get_m_ExecutionContextBelongsToOuterScope_14() const { return ___m_ExecutionContextBelongsToOuterScope_14; }
inline bool* get_address_of_m_ExecutionContextBelongsToOuterScope_14() { return &___m_ExecutionContextBelongsToOuterScope_14; }
inline void set_m_ExecutionContextBelongsToOuterScope_14(bool value)
{
___m_ExecutionContextBelongsToOuterScope_14 = value;
}
};
struct Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_StaticFields
{
public:
// System.LocalDataStoreMgr System.Threading.Thread::s_LocalDataStoreMgr
LocalDataStoreMgr_t1964DDB9F2BE154BE3159A7507D0D0CCBF8FDCA9 * ___s_LocalDataStoreMgr_0;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo> System.Threading.Thread::s_asyncLocalCurrentCulture
AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * ___s_asyncLocalCurrentCulture_4;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo> System.Threading.Thread::s_asyncLocalCurrentUICulture
AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * ___s_asyncLocalCurrentUICulture_5;
public:
inline static int32_t get_offset_of_s_LocalDataStoreMgr_0() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_StaticFields, ___s_LocalDataStoreMgr_0)); }
inline LocalDataStoreMgr_t1964DDB9F2BE154BE3159A7507D0D0CCBF8FDCA9 * get_s_LocalDataStoreMgr_0() const { return ___s_LocalDataStoreMgr_0; }
inline LocalDataStoreMgr_t1964DDB9F2BE154BE3159A7507D0D0CCBF8FDCA9 ** get_address_of_s_LocalDataStoreMgr_0() { return &___s_LocalDataStoreMgr_0; }
inline void set_s_LocalDataStoreMgr_0(LocalDataStoreMgr_t1964DDB9F2BE154BE3159A7507D0D0CCBF8FDCA9 * value)
{
___s_LocalDataStoreMgr_0 = value;
Il2CppCodeGenWriteBarrier((&___s_LocalDataStoreMgr_0), value);
}
inline static int32_t get_offset_of_s_asyncLocalCurrentCulture_4() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_StaticFields, ___s_asyncLocalCurrentCulture_4)); }
inline AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * get_s_asyncLocalCurrentCulture_4() const { return ___s_asyncLocalCurrentCulture_4; }
inline AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A ** get_address_of_s_asyncLocalCurrentCulture_4() { return &___s_asyncLocalCurrentCulture_4; }
inline void set_s_asyncLocalCurrentCulture_4(AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * value)
{
___s_asyncLocalCurrentCulture_4 = value;
Il2CppCodeGenWriteBarrier((&___s_asyncLocalCurrentCulture_4), value);
}
inline static int32_t get_offset_of_s_asyncLocalCurrentUICulture_5() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_StaticFields, ___s_asyncLocalCurrentUICulture_5)); }
inline AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * get_s_asyncLocalCurrentUICulture_5() const { return ___s_asyncLocalCurrentUICulture_5; }
inline AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A ** get_address_of_s_asyncLocalCurrentUICulture_5() { return &___s_asyncLocalCurrentUICulture_5; }
inline void set_s_asyncLocalCurrentUICulture_5(AsyncLocal_1_tD39651C2EDD14B144FF3D9B9C716F807EB57655A * value)
{
___s_asyncLocalCurrentUICulture_5 = value;
Il2CppCodeGenWriteBarrier((&___s_asyncLocalCurrentUICulture_5), value);
}
};
struct Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_ThreadStaticFields
{
public:
// System.LocalDataStoreHolder System.Threading.Thread::s_LocalDataStore
LocalDataStoreHolder_tE0636E08496405406FD63190AC51EEB2EE51E304 * ___s_LocalDataStore_1;
// System.Globalization.CultureInfo System.Threading.Thread::m_CurrentCulture
CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___m_CurrentCulture_2;
// System.Globalization.CultureInfo System.Threading.Thread::m_CurrentUICulture
CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * ___m_CurrentUICulture_3;
// System.Threading.Thread System.Threading.Thread::current_thread
Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * ___current_thread_11;
public:
inline static int32_t get_offset_of_s_LocalDataStore_1() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_ThreadStaticFields, ___s_LocalDataStore_1)); }
inline LocalDataStoreHolder_tE0636E08496405406FD63190AC51EEB2EE51E304 * get_s_LocalDataStore_1() const { return ___s_LocalDataStore_1; }
inline LocalDataStoreHolder_tE0636E08496405406FD63190AC51EEB2EE51E304 ** get_address_of_s_LocalDataStore_1() { return &___s_LocalDataStore_1; }
inline void set_s_LocalDataStore_1(LocalDataStoreHolder_tE0636E08496405406FD63190AC51EEB2EE51E304 * value)
{
___s_LocalDataStore_1 = value;
Il2CppCodeGenWriteBarrier((&___s_LocalDataStore_1), value);
}
inline static int32_t get_offset_of_m_CurrentCulture_2() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_ThreadStaticFields, ___m_CurrentCulture_2)); }
inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_m_CurrentCulture_2() const { return ___m_CurrentCulture_2; }
inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_m_CurrentCulture_2() { return &___m_CurrentCulture_2; }
inline void set_m_CurrentCulture_2(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value)
{
___m_CurrentCulture_2 = value;
Il2CppCodeGenWriteBarrier((&___m_CurrentCulture_2), value);
}
inline static int32_t get_offset_of_m_CurrentUICulture_3() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_ThreadStaticFields, ___m_CurrentUICulture_3)); }
inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * get_m_CurrentUICulture_3() const { return ___m_CurrentUICulture_3; }
inline CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F ** get_address_of_m_CurrentUICulture_3() { return &___m_CurrentUICulture_3; }
inline void set_m_CurrentUICulture_3(CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F * value)
{
___m_CurrentUICulture_3 = value;
Il2CppCodeGenWriteBarrier((&___m_CurrentUICulture_3), value);
}
inline static int32_t get_offset_of_current_thread_11() { return static_cast<int32_t>(offsetof(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_ThreadStaticFields, ___current_thread_11)); }
inline Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * get_current_thread_11() const { return ___current_thread_11; }
inline Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 ** get_address_of_current_thread_11() { return &___current_thread_11; }
inline void set_current_thread_11(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * value)
{
___current_thread_11 = value;
Il2CppCodeGenWriteBarrier((&___current_thread_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // THREAD_TF60E0A146CD3B5480CB65FF9B6016E84C5460CC7_H
#ifndef UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#define UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#ifndef UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#define UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#ifndef UNHANDLEDEXCEPTIONEVENTARGS_T39DD47D43B0D764FE2C9847FBE760031FBEA0FD1_H
#define UNHANDLEDEXCEPTIONEVENTARGS_T39DD47D43B0D764FE2C9847FBE760031FBEA0FD1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.UnhandledExceptionEventArgs
struct UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1 : public EventArgs_t8E6CA180BE0E56674C6407011A94BAF7C757352E
{
public:
// System.Object System.UnhandledExceptionEventArgs::_Exception
RuntimeObject * ____Exception_1;
// System.Boolean System.UnhandledExceptionEventArgs::_IsTerminating
bool ____IsTerminating_2;
public:
inline static int32_t get_offset_of__Exception_1() { return static_cast<int32_t>(offsetof(UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1, ____Exception_1)); }
inline RuntimeObject * get__Exception_1() const { return ____Exception_1; }
inline RuntimeObject ** get_address_of__Exception_1() { return &____Exception_1; }
inline void set__Exception_1(RuntimeObject * value)
{
____Exception_1 = value;
Il2CppCodeGenWriteBarrier((&____Exception_1), value);
}
inline static int32_t get_offset_of__IsTerminating_2() { return static_cast<int32_t>(offsetof(UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1, ____IsTerminating_2)); }
inline bool get__IsTerminating_2() const { return ____IsTerminating_2; }
inline bool* get_address_of__IsTerminating_2() { return &____IsTerminating_2; }
inline void set__IsTerminating_2(bool value)
{
____IsTerminating_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNHANDLEDEXCEPTIONEVENTARGS_T39DD47D43B0D764FE2C9847FBE760031FBEA0FD1_H
#ifndef VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#define VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017
{
public:
union
{
struct
{
};
uint8_t Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017__padding[1];
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifndef COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#define COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Color
struct Color_t119BCA590009762C7223FDD3AF9706653AC84ED2
{
public:
// System.Single UnityEngine.Color::r
float ___r_0;
// System.Single UnityEngine.Color::g
float ___g_1;
// System.Single UnityEngine.Color::b
float ___b_2;
// System.Single UnityEngine.Color::a
float ___a_3;
public:
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___r_0)); }
inline float get_r_0() const { return ___r_0; }
inline float* get_address_of_r_0() { return &___r_0; }
inline void set_r_0(float value)
{
___r_0 = value;
}
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___g_1)); }
inline float get_g_1() const { return ___g_1; }
inline float* get_address_of_g_1() { return &___g_1; }
inline void set_g_1(float value)
{
___g_1 = value;
}
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___b_2)); }
inline float get_b_2() const { return ___b_2; }
inline float* get_address_of_b_2() { return &___b_2; }
inline void set_b_2(float value)
{
___b_2 = value;
}
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___a_3)); }
inline float get_a_3() const { return ___a_3; }
inline float* get_address_of_a_3() { return &___a_3; }
inline void set_a_3(float value)
{
___a_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#ifndef MATRIX4X4_T6BF60F70C9169DF14C9D2577672A44224B236ECA_H
#define MATRIX4X4_T6BF60F70C9169DF14C9D2577672A44224B236ECA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Matrix4x4
struct Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA
{
public:
// System.Single UnityEngine.Matrix4x4::m00
float ___m00_0;
// System.Single UnityEngine.Matrix4x4::m10
float ___m10_1;
// System.Single UnityEngine.Matrix4x4::m20
float ___m20_2;
// System.Single UnityEngine.Matrix4x4::m30
float ___m30_3;
// System.Single UnityEngine.Matrix4x4::m01
float ___m01_4;
// System.Single UnityEngine.Matrix4x4::m11
float ___m11_5;
// System.Single UnityEngine.Matrix4x4::m21
float ___m21_6;
// System.Single UnityEngine.Matrix4x4::m31
float ___m31_7;
// System.Single UnityEngine.Matrix4x4::m02
float ___m02_8;
// System.Single UnityEngine.Matrix4x4::m12
float ___m12_9;
// System.Single UnityEngine.Matrix4x4::m22
float ___m22_10;
// System.Single UnityEngine.Matrix4x4::m32
float ___m32_11;
// System.Single UnityEngine.Matrix4x4::m03
float ___m03_12;
// System.Single UnityEngine.Matrix4x4::m13
float ___m13_13;
// System.Single UnityEngine.Matrix4x4::m23
float ___m23_14;
// System.Single UnityEngine.Matrix4x4::m33
float ___m33_15;
public:
inline static int32_t get_offset_of_m00_0() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m00_0)); }
inline float get_m00_0() const { return ___m00_0; }
inline float* get_address_of_m00_0() { return &___m00_0; }
inline void set_m00_0(float value)
{
___m00_0 = value;
}
inline static int32_t get_offset_of_m10_1() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m10_1)); }
inline float get_m10_1() const { return ___m10_1; }
inline float* get_address_of_m10_1() { return &___m10_1; }
inline void set_m10_1(float value)
{
___m10_1 = value;
}
inline static int32_t get_offset_of_m20_2() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m20_2)); }
inline float get_m20_2() const { return ___m20_2; }
inline float* get_address_of_m20_2() { return &___m20_2; }
inline void set_m20_2(float value)
{
___m20_2 = value;
}
inline static int32_t get_offset_of_m30_3() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m30_3)); }
inline float get_m30_3() const { return ___m30_3; }
inline float* get_address_of_m30_3() { return &___m30_3; }
inline void set_m30_3(float value)
{
___m30_3 = value;
}
inline static int32_t get_offset_of_m01_4() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m01_4)); }
inline float get_m01_4() const { return ___m01_4; }
inline float* get_address_of_m01_4() { return &___m01_4; }
inline void set_m01_4(float value)
{
___m01_4 = value;
}
inline static int32_t get_offset_of_m11_5() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m11_5)); }
inline float get_m11_5() const { return ___m11_5; }
inline float* get_address_of_m11_5() { return &___m11_5; }
inline void set_m11_5(float value)
{
___m11_5 = value;
}
inline static int32_t get_offset_of_m21_6() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m21_6)); }
inline float get_m21_6() const { return ___m21_6; }
inline float* get_address_of_m21_6() { return &___m21_6; }
inline void set_m21_6(float value)
{
___m21_6 = value;
}
inline static int32_t get_offset_of_m31_7() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m31_7)); }
inline float get_m31_7() const { return ___m31_7; }
inline float* get_address_of_m31_7() { return &___m31_7; }
inline void set_m31_7(float value)
{
___m31_7 = value;
}
inline static int32_t get_offset_of_m02_8() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m02_8)); }
inline float get_m02_8() const { return ___m02_8; }
inline float* get_address_of_m02_8() { return &___m02_8; }
inline void set_m02_8(float value)
{
___m02_8 = value;
}
inline static int32_t get_offset_of_m12_9() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m12_9)); }
inline float get_m12_9() const { return ___m12_9; }
inline float* get_address_of_m12_9() { return &___m12_9; }
inline void set_m12_9(float value)
{
___m12_9 = value;
}
inline static int32_t get_offset_of_m22_10() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m22_10)); }
inline float get_m22_10() const { return ___m22_10; }
inline float* get_address_of_m22_10() { return &___m22_10; }
inline void set_m22_10(float value)
{
___m22_10 = value;
}
inline static int32_t get_offset_of_m32_11() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m32_11)); }
inline float get_m32_11() const { return ___m32_11; }
inline float* get_address_of_m32_11() { return &___m32_11; }
inline void set_m32_11(float value)
{
___m32_11 = value;
}
inline static int32_t get_offset_of_m03_12() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m03_12)); }
inline float get_m03_12() const { return ___m03_12; }
inline float* get_address_of_m03_12() { return &___m03_12; }
inline void set_m03_12(float value)
{
___m03_12 = value;
}
inline static int32_t get_offset_of_m13_13() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m13_13)); }
inline float get_m13_13() const { return ___m13_13; }
inline float* get_address_of_m13_13() { return &___m13_13; }
inline void set_m13_13(float value)
{
___m13_13 = value;
}
inline static int32_t get_offset_of_m23_14() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m23_14)); }
inline float get_m23_14() const { return ___m23_14; }
inline float* get_address_of_m23_14() { return &___m23_14; }
inline void set_m23_14(float value)
{
___m23_14 = value;
}
inline static int32_t get_offset_of_m33_15() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA, ___m33_15)); }
inline float get_m33_15() const { return ___m33_15; }
inline float* get_address_of_m33_15() { return &___m33_15; }
inline void set_m33_15(float value)
{
___m33_15 = value;
}
};
struct Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA_StaticFields
{
public:
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::zeroMatrix
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA ___zeroMatrix_16;
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::identityMatrix
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA ___identityMatrix_17;
public:
inline static int32_t get_offset_of_zeroMatrix_16() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA_StaticFields, ___zeroMatrix_16)); }
inline Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA get_zeroMatrix_16() const { return ___zeroMatrix_16; }
inline Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * get_address_of_zeroMatrix_16() { return &___zeroMatrix_16; }
inline void set_zeroMatrix_16(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA value)
{
___zeroMatrix_16 = value;
}
inline static int32_t get_offset_of_identityMatrix_17() { return static_cast<int32_t>(offsetof(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA_StaticFields, ___identityMatrix_17)); }
inline Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA get_identityMatrix_17() const { return ___identityMatrix_17; }
inline Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * get_address_of_identityMatrix_17() { return &___identityMatrix_17; }
inline void set_identityMatrix_17(Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA value)
{
___identityMatrix_17 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MATRIX4X4_T6BF60F70C9169DF14C9D2577672A44224B236ECA_H
#ifndef PROPERTYATTRIBUTE_T25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54_H
#define PROPERTYATTRIBUTE_T25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.PropertyAttribute
struct PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // PROPERTYATTRIBUTE_T25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54_H
#ifndef QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#define QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Quaternion
struct Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357
{
public:
// System.Single UnityEngine.Quaternion::x
float ___x_0;
// System.Single UnityEngine.Quaternion::y
float ___y_1;
// System.Single UnityEngine.Quaternion::z
float ___z_2;
// System.Single UnityEngine.Quaternion::w
float ___w_3;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___x_0)); }
inline float get_x_0() const { return ___x_0; }
inline float* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(float value)
{
___x_0 = value;
}
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___y_1)); }
inline float get_y_1() const { return ___y_1; }
inline float* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(float value)
{
___y_1 = value;
}
inline static int32_t get_offset_of_z_2() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___z_2)); }
inline float get_z_2() const { return ___z_2; }
inline float* get_address_of_z_2() { return &___z_2; }
inline void set_z_2(float value)
{
___z_2 = value;
}
inline static int32_t get_offset_of_w_3() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___w_3)); }
inline float get_w_3() const { return ___w_3; }
inline float* get_address_of_w_3() { return &___w_3; }
inline void set_w_3(float value)
{
___w_3 = value;
}
};
struct Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_StaticFields
{
public:
// UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___identityQuaternion_4;
public:
inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_StaticFields, ___identityQuaternion_4)); }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 get_identityQuaternion_4() const { return ___identityQuaternion_4; }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; }
inline void set_identityQuaternion_4(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 value)
{
___identityQuaternion_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#ifndef RANGEINT_T4480955B65C346F1B3A7A8AB74693AAB84D2988D_H
#define RANGEINT_T4480955B65C346F1B3A7A8AB74693AAB84D2988D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RangeInt
struct RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D
{
public:
// System.Int32 UnityEngine.RangeInt::start
int32_t ___start_0;
// System.Int32 UnityEngine.RangeInt::length
int32_t ___length_1;
public:
inline static int32_t get_offset_of_start_0() { return static_cast<int32_t>(offsetof(RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D, ___start_0)); }
inline int32_t get_start_0() const { return ___start_0; }
inline int32_t* get_address_of_start_0() { return &___start_0; }
inline void set_start_0(int32_t value)
{
___start_0 = value;
}
inline static int32_t get_offset_of_length_1() { return static_cast<int32_t>(offsetof(RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D, ___length_1)); }
inline int32_t get_length_1() const { return ___length_1; }
inline int32_t* get_address_of_length_1() { return &___length_1; }
inline void set_length_1(int32_t value)
{
___length_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RANGEINT_T4480955B65C346F1B3A7A8AB74693AAB84D2988D_H
#ifndef RECT_T35B976DE901B5423C11705E156938EA27AB402CE_H
#define RECT_T35B976DE901B5423C11705E156938EA27AB402CE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rect
struct Rect_t35B976DE901B5423C11705E156938EA27AB402CE
{
public:
// System.Single UnityEngine.Rect::m_XMin
float ___m_XMin_0;
// System.Single UnityEngine.Rect::m_YMin
float ___m_YMin_1;
// System.Single UnityEngine.Rect::m_Width
float ___m_Width_2;
// System.Single UnityEngine.Rect::m_Height
float ___m_Height_3;
public:
inline static int32_t get_offset_of_m_XMin_0() { return static_cast<int32_t>(offsetof(Rect_t35B976DE901B5423C11705E156938EA27AB402CE, ___m_XMin_0)); }
inline float get_m_XMin_0() const { return ___m_XMin_0; }
inline float* get_address_of_m_XMin_0() { return &___m_XMin_0; }
inline void set_m_XMin_0(float value)
{
___m_XMin_0 = value;
}
inline static int32_t get_offset_of_m_YMin_1() { return static_cast<int32_t>(offsetof(Rect_t35B976DE901B5423C11705E156938EA27AB402CE, ___m_YMin_1)); }
inline float get_m_YMin_1() const { return ___m_YMin_1; }
inline float* get_address_of_m_YMin_1() { return &___m_YMin_1; }
inline void set_m_YMin_1(float value)
{
___m_YMin_1 = value;
}
inline static int32_t get_offset_of_m_Width_2() { return static_cast<int32_t>(offsetof(Rect_t35B976DE901B5423C11705E156938EA27AB402CE, ___m_Width_2)); }
inline float get_m_Width_2() const { return ___m_Width_2; }
inline float* get_address_of_m_Width_2() { return &___m_Width_2; }
inline void set_m_Width_2(float value)
{
___m_Width_2 = value;
}
inline static int32_t get_offset_of_m_Height_3() { return static_cast<int32_t>(offsetof(Rect_t35B976DE901B5423C11705E156938EA27AB402CE, ___m_Height_3)); }
inline float get_m_Height_3() const { return ___m_Height_3; }
inline float* get_address_of_m_Height_3() { return &___m_Height_3; }
inline void set_m_Height_3(float value)
{
___m_Height_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RECT_T35B976DE901B5423C11705E156938EA27AB402CE_H
#ifndef REQUIRECOMPONENT_T07725D895B775D6ED768EF52D4EE326539BA65E1_H
#define REQUIRECOMPONENT_T07725D895B775D6ED768EF52D4EE326539BA65E1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RequireComponent
struct RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
// System.Type UnityEngine.RequireComponent::m_Type0
Type_t * ___m_Type0_0;
// System.Type UnityEngine.RequireComponent::m_Type1
Type_t * ___m_Type1_1;
// System.Type UnityEngine.RequireComponent::m_Type2
Type_t * ___m_Type2_2;
public:
inline static int32_t get_offset_of_m_Type0_0() { return static_cast<int32_t>(offsetof(RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1, ___m_Type0_0)); }
inline Type_t * get_m_Type0_0() const { return ___m_Type0_0; }
inline Type_t ** get_address_of_m_Type0_0() { return &___m_Type0_0; }
inline void set_m_Type0_0(Type_t * value)
{
___m_Type0_0 = value;
Il2CppCodeGenWriteBarrier((&___m_Type0_0), value);
}
inline static int32_t get_offset_of_m_Type1_1() { return static_cast<int32_t>(offsetof(RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1, ___m_Type1_1)); }
inline Type_t * get_m_Type1_1() const { return ___m_Type1_1; }
inline Type_t ** get_address_of_m_Type1_1() { return &___m_Type1_1; }
inline void set_m_Type1_1(Type_t * value)
{
___m_Type1_1 = value;
Il2CppCodeGenWriteBarrier((&___m_Type1_1), value);
}
inline static int32_t get_offset_of_m_Type2_2() { return static_cast<int32_t>(offsetof(RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1, ___m_Type2_2)); }
inline Type_t * get_m_Type2_2() const { return ___m_Type2_2; }
inline Type_t ** get_address_of_m_Type2_2() { return &___m_Type2_2; }
inline void set_m_Type2_2(Type_t * value)
{
___m_Type2_2 = value;
Il2CppCodeGenWriteBarrier((&___m_Type2_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // REQUIRECOMPONENT_T07725D895B775D6ED768EF52D4EE326539BA65E1_H
#ifndef RESOLUTION_T350D132B8526B5211E0BF8B22782F20D55994A90_H
#define RESOLUTION_T350D132B8526B5211E0BF8B22782F20D55994A90_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Resolution
struct Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90
{
public:
// System.Int32 UnityEngine.Resolution::m_Width
int32_t ___m_Width_0;
// System.Int32 UnityEngine.Resolution::m_Height
int32_t ___m_Height_1;
// System.Int32 UnityEngine.Resolution::m_RefreshRate
int32_t ___m_RefreshRate_2;
public:
inline static int32_t get_offset_of_m_Width_0() { return static_cast<int32_t>(offsetof(Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90, ___m_Width_0)); }
inline int32_t get_m_Width_0() const { return ___m_Width_0; }
inline int32_t* get_address_of_m_Width_0() { return &___m_Width_0; }
inline void set_m_Width_0(int32_t value)
{
___m_Width_0 = value;
}
inline static int32_t get_offset_of_m_Height_1() { return static_cast<int32_t>(offsetof(Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90, ___m_Height_1)); }
inline int32_t get_m_Height_1() const { return ___m_Height_1; }
inline int32_t* get_address_of_m_Height_1() { return &___m_Height_1; }
inline void set_m_Height_1(int32_t value)
{
___m_Height_1 = value;
}
inline static int32_t get_offset_of_m_RefreshRate_2() { return static_cast<int32_t>(offsetof(Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90, ___m_RefreshRate_2)); }
inline int32_t get_m_RefreshRate_2() const { return ___m_RefreshRate_2; }
inline int32_t* get_address_of_m_RefreshRate_2() { return &___m_RefreshRate_2; }
inline void set_m_RefreshRate_2(int32_t value)
{
___m_RefreshRate_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RESOLUTION_T350D132B8526B5211E0BF8B22782F20D55994A90_H
#ifndef SCENE_T942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_H
#define SCENE_T942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SceneManagement.Scene
struct Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2
{
public:
// System.Int32 UnityEngine.SceneManagement.Scene::m_Handle
int32_t ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2, ___m_Handle_0)); }
inline int32_t get_m_Handle_0() const { return ___m_Handle_0; }
inline int32_t* get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(int32_t value)
{
___m_Handle_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCENE_T942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_H
#ifndef MOVEDFROMATTRIBUTE_TE9A667A7698BEF9EA09BF23E4308CD1EC2099162_H
#define MOVEDFROMATTRIBUTE_TE9A667A7698BEF9EA09BF23E4308CD1EC2099162_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Scripting.APIUpdating.MovedFromAttribute
struct MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
// System.String UnityEngine.Scripting.APIUpdating.MovedFromAttribute::<Namespace>k__BackingField
String_t* ___U3CNamespaceU3Ek__BackingField_0;
// System.Boolean UnityEngine.Scripting.APIUpdating.MovedFromAttribute::<IsInDifferentAssembly>k__BackingField
bool ___U3CIsInDifferentAssemblyU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CNamespaceU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162, ___U3CNamespaceU3Ek__BackingField_0)); }
inline String_t* get_U3CNamespaceU3Ek__BackingField_0() const { return ___U3CNamespaceU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNamespaceU3Ek__BackingField_0() { return &___U3CNamespaceU3Ek__BackingField_0; }
inline void set_U3CNamespaceU3Ek__BackingField_0(String_t* value)
{
___U3CNamespaceU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((&___U3CNamespaceU3Ek__BackingField_0), value);
}
inline static int32_t get_offset_of_U3CIsInDifferentAssemblyU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162, ___U3CIsInDifferentAssemblyU3Ek__BackingField_1)); }
inline bool get_U3CIsInDifferentAssemblyU3Ek__BackingField_1() const { return ___U3CIsInDifferentAssemblyU3Ek__BackingField_1; }
inline bool* get_address_of_U3CIsInDifferentAssemblyU3Ek__BackingField_1() { return &___U3CIsInDifferentAssemblyU3Ek__BackingField_1; }
inline void set_U3CIsInDifferentAssemblyU3Ek__BackingField_1(bool value)
{
___U3CIsInDifferentAssemblyU3Ek__BackingField_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MOVEDFROMATTRIBUTE_TE9A667A7698BEF9EA09BF23E4308CD1EC2099162_H
#ifndef PRESERVEATTRIBUTE_T864F9DAA4DBF2524206AD57CE51AEB955702AA3F_H
#define PRESERVEATTRIBUTE_T864F9DAA4DBF2524206AD57CE51AEB955702AA3F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Scripting.PreserveAttribute
struct PreserveAttribute_t864F9DAA4DBF2524206AD57CE51AEB955702AA3F : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // PRESERVEATTRIBUTE_T864F9DAA4DBF2524206AD57CE51AEB955702AA3F_H
#ifndef SELECTIONBASEATTRIBUTE_T1E6DA918DE93CF97BAB00073419BF8FC43C84B33_H
#define SELECTIONBASEATTRIBUTE_T1E6DA918DE93CF97BAB00073419BF8FC43C84B33_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SelectionBaseAttribute
struct SelectionBaseAttribute_t1E6DA918DE93CF97BAB00073419BF8FC43C84B33 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SELECTIONBASEATTRIBUTE_T1E6DA918DE93CF97BAB00073419BF8FC43C84B33_H
#ifndef HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#define HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SendMouseEvents_HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12
{
public:
// UnityEngine.GameObject UnityEngine.SendMouseEvents_HitInfo::target
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
// UnityEngine.Camera UnityEngine.SendMouseEvents_HitInfo::camera
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
public:
inline static int32_t get_offset_of_target_0() { return static_cast<int32_t>(offsetof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12, ___target_0)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_target_0() const { return ___target_0; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_target_0() { return &___target_0; }
inline void set_target_0(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___target_0 = value;
Il2CppCodeGenWriteBarrier((&___target_0), value);
}
inline static int32_t get_offset_of_camera_1() { return static_cast<int32_t>(offsetof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12, ___camera_1)); }
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * get_camera_1() const { return ___camera_1; }
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 ** get_address_of_camera_1() { return &___camera_1; }
inline void set_camera_1(Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * value)
{
___camera_1 = value;
Il2CppCodeGenWriteBarrier((&___camera_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_pinvoke
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
};
// Native definition for COM marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_com
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
};
#endif // HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#ifndef FORMERLYSERIALIZEDASATTRIBUTE_T31939F907F52C74DB25B51BB0064837BC15760AC_H
#define FORMERLYSERIALIZEDASATTRIBUTE_T31939F907F52C74DB25B51BB0064837BC15760AC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Serialization.FormerlySerializedAsAttribute
struct FormerlySerializedAsAttribute_t31939F907F52C74DB25B51BB0064837BC15760AC : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
// System.String UnityEngine.Serialization.FormerlySerializedAsAttribute::m_oldName
String_t* ___m_oldName_0;
public:
inline static int32_t get_offset_of_m_oldName_0() { return static_cast<int32_t>(offsetof(FormerlySerializedAsAttribute_t31939F907F52C74DB25B51BB0064837BC15760AC, ___m_oldName_0)); }
inline String_t* get_m_oldName_0() const { return ___m_oldName_0; }
inline String_t** get_address_of_m_oldName_0() { return &___m_oldName_0; }
inline void set_m_oldName_0(String_t* value)
{
___m_oldName_0 = value;
Il2CppCodeGenWriteBarrier((&___m_oldName_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // FORMERLYSERIALIZEDASATTRIBUTE_T31939F907F52C74DB25B51BB0064837BC15760AC_H
#ifndef SERIALIZEFIELD_T2C7845E4134D47F2D89267492CB6B955DC4787A5_H
#define SERIALIZEFIELD_T2C7845E4134D47F2D89267492CB6B955DC4787A5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SerializeField
struct SerializeField_t2C7845E4134D47F2D89267492CB6B955DC4787A5 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SERIALIZEFIELD_T2C7845E4134D47F2D89267492CB6B955DC4787A5_H
#ifndef SERIALIZEPRIVATEVARIABLES_TCB1ACE74D68078EE1D0C9AA6B67E4D8D1CD303CD_H
#define SERIALIZEPRIVATEVARIABLES_TCB1ACE74D68078EE1D0C9AA6B67E4D8D1CD303CD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SerializePrivateVariables
struct SerializePrivateVariables_tCB1ACE74D68078EE1D0C9AA6B67E4D8D1CD303CD : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SERIALIZEPRIVATEVARIABLES_TCB1ACE74D68078EE1D0C9AA6B67E4D8D1CD303CD_H
#ifndef SORTINGLAYER_TC8689CC6D9E452F76E2729FD7CE8C1C2744F0203_H
#define SORTINGLAYER_TC8689CC6D9E452F76E2729FD7CE8C1C2744F0203_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SortingLayer
struct SortingLayer_tC8689CC6D9E452F76E2729FD7CE8C1C2744F0203
{
public:
// System.Int32 UnityEngine.SortingLayer::m_Id
int32_t ___m_Id_0;
public:
inline static int32_t get_offset_of_m_Id_0() { return static_cast<int32_t>(offsetof(SortingLayer_tC8689CC6D9E452F76E2729FD7CE8C1C2744F0203, ___m_Id_0)); }
inline int32_t get_m_Id_0() const { return ___m_Id_0; }
inline int32_t* get_address_of_m_Id_0() { return &___m_Id_0; }
inline void set_m_Id_0(int32_t value)
{
___m_Id_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SORTINGLAYER_TC8689CC6D9E452F76E2729FD7CE8C1C2744F0203_H
#ifndef TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T89A8B532E6BEA8494D3219AC6A5673FC3AF162B2_H
#define TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T89A8B532E6BEA8494D3219AC6A5673FC3AF162B2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments
struct TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2
{
public:
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::keyboardType
uint32_t ___keyboardType_0;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::autocorrection
uint32_t ___autocorrection_1;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::multiline
uint32_t ___multiline_2;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::secure
uint32_t ___secure_3;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::alert
uint32_t ___alert_4;
// System.Int32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::characterLimit
int32_t ___characterLimit_5;
public:
inline static int32_t get_offset_of_keyboardType_0() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___keyboardType_0)); }
inline uint32_t get_keyboardType_0() const { return ___keyboardType_0; }
inline uint32_t* get_address_of_keyboardType_0() { return &___keyboardType_0; }
inline void set_keyboardType_0(uint32_t value)
{
___keyboardType_0 = value;
}
inline static int32_t get_offset_of_autocorrection_1() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___autocorrection_1)); }
inline uint32_t get_autocorrection_1() const { return ___autocorrection_1; }
inline uint32_t* get_address_of_autocorrection_1() { return &___autocorrection_1; }
inline void set_autocorrection_1(uint32_t value)
{
___autocorrection_1 = value;
}
inline static int32_t get_offset_of_multiline_2() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___multiline_2)); }
inline uint32_t get_multiline_2() const { return ___multiline_2; }
inline uint32_t* get_address_of_multiline_2() { return &___multiline_2; }
inline void set_multiline_2(uint32_t value)
{
___multiline_2 = value;
}
inline static int32_t get_offset_of_secure_3() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___secure_3)); }
inline uint32_t get_secure_3() const { return ___secure_3; }
inline uint32_t* get_address_of_secure_3() { return &___secure_3; }
inline void set_secure_3(uint32_t value)
{
___secure_3 = value;
}
inline static int32_t get_offset_of_alert_4() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___alert_4)); }
inline uint32_t get_alert_4() const { return ___alert_4; }
inline uint32_t* get_address_of_alert_4() { return &___alert_4; }
inline void set_alert_4(uint32_t value)
{
___alert_4 = value;
}
inline static int32_t get_offset_of_characterLimit_5() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2, ___characterLimit_5)); }
inline int32_t get_characterLimit_5() const { return ___characterLimit_5; }
inline int32_t* get_address_of_characterLimit_5() { return &___characterLimit_5; }
inline void set_characterLimit_5(int32_t value)
{
___characterLimit_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T89A8B532E6BEA8494D3219AC6A5673FC3AF162B2_H
#ifndef UNITYAPICOMPATIBILITYVERSIONATTRIBUTE_TDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8_H
#define UNITYAPICOMPATIBILITYVERSIONATTRIBUTE_TDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnityAPICompatibilityVersionAttribute
struct UnityAPICompatibilityVersionAttribute_tDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8 : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
// System.String UnityEngine.UnityAPICompatibilityVersionAttribute::_version
String_t* ____version_0;
public:
inline static int32_t get_offset_of__version_0() { return static_cast<int32_t>(offsetof(UnityAPICompatibilityVersionAttribute_tDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8, ____version_0)); }
inline String_t* get__version_0() const { return ____version_0; }
inline String_t** get_address_of__version_0() { return &____version_0; }
inline void set__version_0(String_t* value)
{
____version_0 = value;
Il2CppCodeGenWriteBarrier((&____version_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYAPICOMPATIBILITYVERSIONATTRIBUTE_TDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8_H
#ifndef UNITYEXCEPTION_T513F7D97037DB40AE78D7C3AAA2F9E011D050C28_H
#define UNITYEXCEPTION_T513F7D97037DB40AE78D7C3AAA2F9E011D050C28_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnityException
struct UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 : public Exception_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYEXCEPTION_T513F7D97037DB40AE78D7C3AAA2F9E011D050C28_H
#ifndef UNITYSYNCHRONIZATIONCONTEXT_T29A85681F976537109A84D2316E781568619F55F_H
#define UNITYSYNCHRONIZATIONCONTEXT_T29A85681F976537109A84D2316E781568619F55F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnitySynchronizationContext
struct UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F : public SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7
{
public:
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext_WorkRequest> UnityEngine.UnitySynchronizationContext::m_AsyncWorkQueue
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * ___m_AsyncWorkQueue_0;
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext_WorkRequest> UnityEngine.UnitySynchronizationContext::m_CurrentFrameWork
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * ___m_CurrentFrameWork_1;
// System.Int32 UnityEngine.UnitySynchronizationContext::m_MainThreadID
int32_t ___m_MainThreadID_2;
public:
inline static int32_t get_offset_of_m_AsyncWorkQueue_0() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F, ___m_AsyncWorkQueue_0)); }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * get_m_AsyncWorkQueue_0() const { return ___m_AsyncWorkQueue_0; }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 ** get_address_of_m_AsyncWorkQueue_0() { return &___m_AsyncWorkQueue_0; }
inline void set_m_AsyncWorkQueue_0(List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * value)
{
___m_AsyncWorkQueue_0 = value;
Il2CppCodeGenWriteBarrier((&___m_AsyncWorkQueue_0), value);
}
inline static int32_t get_offset_of_m_CurrentFrameWork_1() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F, ___m_CurrentFrameWork_1)); }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * get_m_CurrentFrameWork_1() const { return ___m_CurrentFrameWork_1; }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 ** get_address_of_m_CurrentFrameWork_1() { return &___m_CurrentFrameWork_1; }
inline void set_m_CurrentFrameWork_1(List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * value)
{
___m_CurrentFrameWork_1 = value;
Il2CppCodeGenWriteBarrier((&___m_CurrentFrameWork_1), value);
}
inline static int32_t get_offset_of_m_MainThreadID_2() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F, ___m_MainThreadID_2)); }
inline int32_t get_m_MainThreadID_2() const { return ___m_MainThreadID_2; }
inline int32_t* get_address_of_m_MainThreadID_2() { return &___m_MainThreadID_2; }
inline void set_m_MainThreadID_2(int32_t value)
{
___m_MainThreadID_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYSYNCHRONIZATIONCONTEXT_T29A85681F976537109A84D2316E781568619F55F_H
#ifndef WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#define WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnitySynchronizationContext_WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94
{
public:
// System.Threading.SendOrPostCallback UnityEngine.UnitySynchronizationContext_WorkRequest::m_DelagateCallback
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___m_DelagateCallback_0;
// System.Object UnityEngine.UnitySynchronizationContext_WorkRequest::m_DelagateState
RuntimeObject * ___m_DelagateState_1;
// System.Threading.ManualResetEvent UnityEngine.UnitySynchronizationContext_WorkRequest::m_WaitHandle
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
public:
inline static int32_t get_offset_of_m_DelagateCallback_0() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_DelagateCallback_0)); }
inline SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * get_m_DelagateCallback_0() const { return ___m_DelagateCallback_0; }
inline SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 ** get_address_of_m_DelagateCallback_0() { return &___m_DelagateCallback_0; }
inline void set_m_DelagateCallback_0(SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * value)
{
___m_DelagateCallback_0 = value;
Il2CppCodeGenWriteBarrier((&___m_DelagateCallback_0), value);
}
inline static int32_t get_offset_of_m_DelagateState_1() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_DelagateState_1)); }
inline RuntimeObject * get_m_DelagateState_1() const { return ___m_DelagateState_1; }
inline RuntimeObject ** get_address_of_m_DelagateState_1() { return &___m_DelagateState_1; }
inline void set_m_DelagateState_1(RuntimeObject * value)
{
___m_DelagateState_1 = value;
Il2CppCodeGenWriteBarrier((&___m_DelagateState_1), value);
}
inline static int32_t get_offset_of_m_WaitHandle_2() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_WaitHandle_2)); }
inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * get_m_WaitHandle_2() const { return ___m_WaitHandle_2; }
inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 ** get_address_of_m_WaitHandle_2() { return &___m_WaitHandle_2; }
inline void set_m_WaitHandle_2(ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * value)
{
___m_WaitHandle_2 = value;
Il2CppCodeGenWriteBarrier((&___m_WaitHandle_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_pinvoke
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
};
// Native definition for COM marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_com
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
};
#endif // WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#ifndef VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#define VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector2
struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D
{
public:
// System.Single UnityEngine.Vector2::x
float ___x_0;
// System.Single UnityEngine.Vector2::y
float ___y_1;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___x_0)); }
inline float get_x_0() const { return ___x_0; }
inline float* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(float value)
{
___x_0 = value;
}
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___y_1)); }
inline float get_y_1() const { return ___y_1; }
inline float* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(float value)
{
___y_1 = value;
}
};
struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields
{
public:
// UnityEngine.Vector2 UnityEngine.Vector2::zeroVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___zeroVector_2;
// UnityEngine.Vector2 UnityEngine.Vector2::oneVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___oneVector_3;
// UnityEngine.Vector2 UnityEngine.Vector2::upVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___upVector_4;
// UnityEngine.Vector2 UnityEngine.Vector2::downVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___downVector_5;
// UnityEngine.Vector2 UnityEngine.Vector2::leftVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___leftVector_6;
// UnityEngine.Vector2 UnityEngine.Vector2::rightVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rightVector_7;
// UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___positiveInfinityVector_8;
// UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___negativeInfinityVector_9;
public:
inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___zeroVector_2)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_zeroVector_2() const { return ___zeroVector_2; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_zeroVector_2() { return &___zeroVector_2; }
inline void set_zeroVector_2(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___zeroVector_2 = value;
}
inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___oneVector_3)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_oneVector_3() const { return ___oneVector_3; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_oneVector_3() { return &___oneVector_3; }
inline void set_oneVector_3(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___oneVector_3 = value;
}
inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___upVector_4)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_upVector_4() const { return ___upVector_4; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_upVector_4() { return &___upVector_4; }
inline void set_upVector_4(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___upVector_4 = value;
}
inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___downVector_5)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_downVector_5() const { return ___downVector_5; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_downVector_5() { return &___downVector_5; }
inline void set_downVector_5(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___downVector_5 = value;
}
inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___leftVector_6)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_leftVector_6() const { return ___leftVector_6; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_leftVector_6() { return &___leftVector_6; }
inline void set_leftVector_6(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___leftVector_6 = value;
}
inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___rightVector_7)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_rightVector_7() const { return ___rightVector_7; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_rightVector_7() { return &___rightVector_7; }
inline void set_rightVector_7(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___rightVector_7 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___positiveInfinityVector_8)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; }
inline void set_positiveInfinityVector_8(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___positiveInfinityVector_8 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___negativeInfinityVector_9)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; }
inline void set_negativeInfinityVector_9(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___negativeInfinityVector_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#ifndef VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#define VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector3
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720
{
public:
// System.Single UnityEngine.Vector3::x
float ___x_2;
// System.Single UnityEngine.Vector3::y
float ___y_3;
// System.Single UnityEngine.Vector3::z
float ___z_4;
public:
inline static int32_t get_offset_of_x_2() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___x_2)); }
inline float get_x_2() const { return ___x_2; }
inline float* get_address_of_x_2() { return &___x_2; }
inline void set_x_2(float value)
{
___x_2 = value;
}
inline static int32_t get_offset_of_y_3() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___y_3)); }
inline float get_y_3() const { return ___y_3; }
inline float* get_address_of_y_3() { return &___y_3; }
inline void set_y_3(float value)
{
___y_3 = value;
}
inline static int32_t get_offset_of_z_4() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___z_4)); }
inline float get_z_4() const { return ___z_4; }
inline float* get_address_of_z_4() { return &___z_4; }
inline void set_z_4(float value)
{
___z_4 = value;
}
};
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___zeroVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___oneVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___upVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___downVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___leftVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rightVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___forwardVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___backVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___positiveInfinityVector_13;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___negativeInfinityVector_14;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___zeroVector_5)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___zeroVector_5 = value;
}
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___oneVector_6)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_oneVector_6() const { return ___oneVector_6; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___oneVector_6 = value;
}
inline static int32_t get_offset_of_upVector_7() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___upVector_7)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_upVector_7() const { return ___upVector_7; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_upVector_7() { return &___upVector_7; }
inline void set_upVector_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___upVector_7 = value;
}
inline static int32_t get_offset_of_downVector_8() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___downVector_8)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_downVector_8() const { return ___downVector_8; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_downVector_8() { return &___downVector_8; }
inline void set_downVector_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___downVector_8 = value;
}
inline static int32_t get_offset_of_leftVector_9() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___leftVector_9)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_leftVector_9() const { return ___leftVector_9; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_leftVector_9() { return &___leftVector_9; }
inline void set_leftVector_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___leftVector_9 = value;
}
inline static int32_t get_offset_of_rightVector_10() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___rightVector_10)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_rightVector_10() const { return ___rightVector_10; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_rightVector_10() { return &___rightVector_10; }
inline void set_rightVector_10(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___rightVector_10 = value;
}
inline static int32_t get_offset_of_forwardVector_11() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___forwardVector_11)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_forwardVector_11() const { return ___forwardVector_11; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_forwardVector_11() { return &___forwardVector_11; }
inline void set_forwardVector_11(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___forwardVector_11 = value;
}
inline static int32_t get_offset_of_backVector_12() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___backVector_12)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_backVector_12() const { return ___backVector_12; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_backVector_12() { return &___backVector_12; }
inline void set_backVector_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___backVector_12 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___positiveInfinityVector_13)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_positiveInfinityVector_13() const { return ___positiveInfinityVector_13; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_positiveInfinityVector_13() { return &___positiveInfinityVector_13; }
inline void set_positiveInfinityVector_13(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___positiveInfinityVector_13 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_14() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___negativeInfinityVector_14)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_negativeInfinityVector_14() const { return ___negativeInfinityVector_14; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_negativeInfinityVector_14() { return &___negativeInfinityVector_14; }
inline void set_negativeInfinityVector_14(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___negativeInfinityVector_14 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifndef VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#define VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector4
struct Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E
{
public:
// System.Single UnityEngine.Vector4::x
float ___x_0;
// System.Single UnityEngine.Vector4::y
float ___y_1;
// System.Single UnityEngine.Vector4::z
float ___z_2;
// System.Single UnityEngine.Vector4::w
float ___w_3;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___x_0)); }
inline float get_x_0() const { return ___x_0; }
inline float* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(float value)
{
___x_0 = value;
}
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___y_1)); }
inline float get_y_1() const { return ___y_1; }
inline float* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(float value)
{
___y_1 = value;
}
inline static int32_t get_offset_of_z_2() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___z_2)); }
inline float get_z_2() const { return ___z_2; }
inline float* get_address_of_z_2() { return &___z_2; }
inline void set_z_2(float value)
{
___z_2 = value;
}
inline static int32_t get_offset_of_w_3() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___w_3)); }
inline float get_w_3() const { return ___w_3; }
inline float* get_address_of_w_3() { return &___w_3; }
inline void set_w_3(float value)
{
___w_3 = value;
}
};
struct Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields
{
public:
// UnityEngine.Vector4 UnityEngine.Vector4::zeroVector
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___zeroVector_4;
// UnityEngine.Vector4 UnityEngine.Vector4::oneVector
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___oneVector_5;
// UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___positiveInfinityVector_6;
// UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___negativeInfinityVector_7;
public:
inline static int32_t get_offset_of_zeroVector_4() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___zeroVector_4)); }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_zeroVector_4() const { return ___zeroVector_4; }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_zeroVector_4() { return &___zeroVector_4; }
inline void set_zeroVector_4(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value)
{
___zeroVector_4 = value;
}
inline static int32_t get_offset_of_oneVector_5() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___oneVector_5)); }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_oneVector_5() const { return ___oneVector_5; }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_oneVector_5() { return &___oneVector_5; }
inline void set_oneVector_5(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value)
{
___oneVector_5 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_6() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___positiveInfinityVector_6)); }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_positiveInfinityVector_6() const { return ___positiveInfinityVector_6; }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_positiveInfinityVector_6() { return &___positiveInfinityVector_6; }
inline void set_positiveInfinityVector_6(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value)
{
___positiveInfinityVector_6 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___negativeInfinityVector_7)); }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_negativeInfinityVector_7() const { return ___negativeInfinityVector_7; }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_negativeInfinityVector_7() { return &___negativeInfinityVector_7; }
inline void set_negativeInfinityVector_7(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value)
{
___negativeInfinityVector_7 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#ifndef WAITFORENDOFFRAME_T75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA_H
#define WAITFORENDOFFRAME_T75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.WaitForEndOfFrame
struct WaitForEndOfFrame_t75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // WAITFORENDOFFRAME_T75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA_H
#ifndef WAITFORFIXEDUPDATE_T8801328F075019AF6B6150B20EC343935A29FF97_H
#define WAITFORFIXEDUPDATE_T8801328F075019AF6B6150B20EC343935A29FF97_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.WaitForFixedUpdate
struct WaitForFixedUpdate_t8801328F075019AF6B6150B20EC343935A29FF97 : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // WAITFORFIXEDUPDATE_T8801328F075019AF6B6150B20EC343935A29FF97_H
#ifndef WAITFORSECONDS_T3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_H
#define WAITFORSECONDS_T3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.WaitForSeconds
struct WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8 : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44
{
public:
// System.Single UnityEngine.WaitForSeconds::m_Seconds
float ___m_Seconds_0;
public:
inline static int32_t get_offset_of_m_Seconds_0() { return static_cast<int32_t>(offsetof(WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8, ___m_Seconds_0)); }
inline float get_m_Seconds_0() const { return ___m_Seconds_0; }
inline float* get_address_of_m_Seconds_0() { return &___m_Seconds_0; }
inline void set_m_Seconds_0(float value)
{
___m_Seconds_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.WaitForSeconds
struct WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_pinvoke : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke
{
float ___m_Seconds_0;
};
// Native definition for COM marshalling of UnityEngine.WaitForSeconds
struct WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_com : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com
{
float ___m_Seconds_0;
};
#endif // WAITFORSECONDS_T3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_H
#ifndef WAITFORSECONDSREALTIME_T0CF361107C4A9E25E0D4CF2F37732CE785235739_H
#define WAITFORSECONDSREALTIME_T0CF361107C4A9E25E0D4CF2F37732CE785235739_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.WaitForSecondsRealtime
struct WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 : public CustomYieldInstruction_t819BB0973AFF22766749FF087B8AEFEAF3C2CB7D
{
public:
// System.Single UnityEngine.WaitForSecondsRealtime::<waitTime>k__BackingField
float ___U3CwaitTimeU3Ek__BackingField_0;
// System.Single UnityEngine.WaitForSecondsRealtime::m_WaitUntilTime
float ___m_WaitUntilTime_1;
public:
inline static int32_t get_offset_of_U3CwaitTimeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739, ___U3CwaitTimeU3Ek__BackingField_0)); }
inline float get_U3CwaitTimeU3Ek__BackingField_0() const { return ___U3CwaitTimeU3Ek__BackingField_0; }
inline float* get_address_of_U3CwaitTimeU3Ek__BackingField_0() { return &___U3CwaitTimeU3Ek__BackingField_0; }
inline void set_U3CwaitTimeU3Ek__BackingField_0(float value)
{
___U3CwaitTimeU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_m_WaitUntilTime_1() { return static_cast<int32_t>(offsetof(WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739, ___m_WaitUntilTime_1)); }
inline float get_m_WaitUntilTime_1() const { return ___m_WaitUntilTime_1; }
inline float* get_address_of_m_WaitUntilTime_1() { return &___m_WaitUntilTime_1; }
inline void set_m_WaitUntilTime_1(float value)
{
___m_WaitUntilTime_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // WAITFORSECONDSREALTIME_T0CF361107C4A9E25E0D4CF2F37732CE785235739_H
#ifndef GENERICSTACK_TC59D21E8DBC50F3C608479C942200AC44CA2D5BC_H
#define GENERICSTACK_TC59D21E8DBC50F3C608479C942200AC44CA2D5BC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.GenericStack
struct GenericStack_tC59D21E8DBC50F3C608479C942200AC44CA2D5BC : public Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GENERICSTACK_TC59D21E8DBC50F3C608479C942200AC44CA2D5BC_H
#ifndef TYPEINFERENCERULEATTRIBUTE_TEB3BA6FDE6D6817FD33E2620200007EB9730214B_H
#define TYPEINFERENCERULEATTRIBUTE_TEB3BA6FDE6D6817FD33E2620200007EB9730214B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.TypeInferenceRuleAttribute
struct TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B : public Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74
{
public:
// System.String UnityEngineInternal.TypeInferenceRuleAttribute::_rule
String_t* ____rule_0;
public:
inline static int32_t get_offset_of__rule_0() { return static_cast<int32_t>(offsetof(TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B, ____rule_0)); }
inline String_t* get__rule_0() const { return ____rule_0; }
inline String_t** get_address_of__rule_0() { return &____rule_0; }
inline void set__rule_0(String_t* value)
{
____rule_0 = value;
Il2CppCodeGenWriteBarrier((&____rule_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TYPEINFERENCERULEATTRIBUTE_TEB3BA6FDE6D6817FD33E2620200007EB9730214B_H
#ifndef APPDOMAIN_T1B59572328F60585904DF52A59FE47CF5B5FFFF8_H
#define APPDOMAIN_T1B59572328F60585904DF52A59FE47CF5B5FFFF8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.AppDomain
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF
{
public:
// System.IntPtr System.AppDomain::_mono_app_domain
intptr_t ____mono_app_domain_1;
// System.Object System.AppDomain::_evidence
RuntimeObject * ____evidence_6;
// System.Object System.AppDomain::_granted
RuntimeObject * ____granted_7;
// System.Int32 System.AppDomain::_principalPolicy
int32_t ____principalPolicy_8;
// System.AssemblyLoadEventHandler System.AppDomain::AssemblyLoad
AssemblyLoadEventHandler_t53F8340027F9EE67E8A22E7D8C1A3770345153C9 * ___AssemblyLoad_11;
// System.ResolveEventHandler System.AppDomain::AssemblyResolve
ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * ___AssemblyResolve_12;
// System.EventHandler System.AppDomain::DomainUnload
EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * ___DomainUnload_13;
// System.EventHandler System.AppDomain::ProcessExit
EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * ___ProcessExit_14;
// System.ResolveEventHandler System.AppDomain::ResourceResolve
ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * ___ResourceResolve_15;
// System.ResolveEventHandler System.AppDomain::TypeResolve
ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * ___TypeResolve_16;
// System.UnhandledExceptionEventHandler System.AppDomain::UnhandledException
UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * ___UnhandledException_17;
// System.EventHandler`1<System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs> System.AppDomain::FirstChanceException
EventHandler_1_t1E35ED2E29145994C6C03E57601C6D48C61083FF * ___FirstChanceException_18;
// System.Object System.AppDomain::_domain_manager
RuntimeObject * ____domain_manager_19;
// System.ResolveEventHandler System.AppDomain::ReflectionOnlyAssemblyResolve
ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * ___ReflectionOnlyAssemblyResolve_20;
// System.Object System.AppDomain::_activation
RuntimeObject * ____activation_21;
// System.Object System.AppDomain::_applicationIdentity
RuntimeObject * ____applicationIdentity_22;
// System.Collections.Generic.List`1<System.String> System.AppDomain::compatibility_switch
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___compatibility_switch_23;
public:
inline static int32_t get_offset_of__mono_app_domain_1() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____mono_app_domain_1)); }
inline intptr_t get__mono_app_domain_1() const { return ____mono_app_domain_1; }
inline intptr_t* get_address_of__mono_app_domain_1() { return &____mono_app_domain_1; }
inline void set__mono_app_domain_1(intptr_t value)
{
____mono_app_domain_1 = value;
}
inline static int32_t get_offset_of__evidence_6() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____evidence_6)); }
inline RuntimeObject * get__evidence_6() const { return ____evidence_6; }
inline RuntimeObject ** get_address_of__evidence_6() { return &____evidence_6; }
inline void set__evidence_6(RuntimeObject * value)
{
____evidence_6 = value;
Il2CppCodeGenWriteBarrier((&____evidence_6), value);
}
inline static int32_t get_offset_of__granted_7() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____granted_7)); }
inline RuntimeObject * get__granted_7() const { return ____granted_7; }
inline RuntimeObject ** get_address_of__granted_7() { return &____granted_7; }
inline void set__granted_7(RuntimeObject * value)
{
____granted_7 = value;
Il2CppCodeGenWriteBarrier((&____granted_7), value);
}
inline static int32_t get_offset_of__principalPolicy_8() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____principalPolicy_8)); }
inline int32_t get__principalPolicy_8() const { return ____principalPolicy_8; }
inline int32_t* get_address_of__principalPolicy_8() { return &____principalPolicy_8; }
inline void set__principalPolicy_8(int32_t value)
{
____principalPolicy_8 = value;
}
inline static int32_t get_offset_of_AssemblyLoad_11() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___AssemblyLoad_11)); }
inline AssemblyLoadEventHandler_t53F8340027F9EE67E8A22E7D8C1A3770345153C9 * get_AssemblyLoad_11() const { return ___AssemblyLoad_11; }
inline AssemblyLoadEventHandler_t53F8340027F9EE67E8A22E7D8C1A3770345153C9 ** get_address_of_AssemblyLoad_11() { return &___AssemblyLoad_11; }
inline void set_AssemblyLoad_11(AssemblyLoadEventHandler_t53F8340027F9EE67E8A22E7D8C1A3770345153C9 * value)
{
___AssemblyLoad_11 = value;
Il2CppCodeGenWriteBarrier((&___AssemblyLoad_11), value);
}
inline static int32_t get_offset_of_AssemblyResolve_12() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___AssemblyResolve_12)); }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * get_AssemblyResolve_12() const { return ___AssemblyResolve_12; }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 ** get_address_of_AssemblyResolve_12() { return &___AssemblyResolve_12; }
inline void set_AssemblyResolve_12(ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * value)
{
___AssemblyResolve_12 = value;
Il2CppCodeGenWriteBarrier((&___AssemblyResolve_12), value);
}
inline static int32_t get_offset_of_DomainUnload_13() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___DomainUnload_13)); }
inline EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * get_DomainUnload_13() const { return ___DomainUnload_13; }
inline EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C ** get_address_of_DomainUnload_13() { return &___DomainUnload_13; }
inline void set_DomainUnload_13(EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * value)
{
___DomainUnload_13 = value;
Il2CppCodeGenWriteBarrier((&___DomainUnload_13), value);
}
inline static int32_t get_offset_of_ProcessExit_14() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___ProcessExit_14)); }
inline EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * get_ProcessExit_14() const { return ___ProcessExit_14; }
inline EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C ** get_address_of_ProcessExit_14() { return &___ProcessExit_14; }
inline void set_ProcessExit_14(EventHandler_t2B84E745E28BA26C49C4E99A387FC3B534D1110C * value)
{
___ProcessExit_14 = value;
Il2CppCodeGenWriteBarrier((&___ProcessExit_14), value);
}
inline static int32_t get_offset_of_ResourceResolve_15() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___ResourceResolve_15)); }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * get_ResourceResolve_15() const { return ___ResourceResolve_15; }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 ** get_address_of_ResourceResolve_15() { return &___ResourceResolve_15; }
inline void set_ResourceResolve_15(ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * value)
{
___ResourceResolve_15 = value;
Il2CppCodeGenWriteBarrier((&___ResourceResolve_15), value);
}
inline static int32_t get_offset_of_TypeResolve_16() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___TypeResolve_16)); }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * get_TypeResolve_16() const { return ___TypeResolve_16; }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 ** get_address_of_TypeResolve_16() { return &___TypeResolve_16; }
inline void set_TypeResolve_16(ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * value)
{
___TypeResolve_16 = value;
Il2CppCodeGenWriteBarrier((&___TypeResolve_16), value);
}
inline static int32_t get_offset_of_UnhandledException_17() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___UnhandledException_17)); }
inline UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * get_UnhandledException_17() const { return ___UnhandledException_17; }
inline UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE ** get_address_of_UnhandledException_17() { return &___UnhandledException_17; }
inline void set_UnhandledException_17(UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * value)
{
___UnhandledException_17 = value;
Il2CppCodeGenWriteBarrier((&___UnhandledException_17), value);
}
inline static int32_t get_offset_of_FirstChanceException_18() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___FirstChanceException_18)); }
inline EventHandler_1_t1E35ED2E29145994C6C03E57601C6D48C61083FF * get_FirstChanceException_18() const { return ___FirstChanceException_18; }
inline EventHandler_1_t1E35ED2E29145994C6C03E57601C6D48C61083FF ** get_address_of_FirstChanceException_18() { return &___FirstChanceException_18; }
inline void set_FirstChanceException_18(EventHandler_1_t1E35ED2E29145994C6C03E57601C6D48C61083FF * value)
{
___FirstChanceException_18 = value;
Il2CppCodeGenWriteBarrier((&___FirstChanceException_18), value);
}
inline static int32_t get_offset_of__domain_manager_19() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____domain_manager_19)); }
inline RuntimeObject * get__domain_manager_19() const { return ____domain_manager_19; }
inline RuntimeObject ** get_address_of__domain_manager_19() { return &____domain_manager_19; }
inline void set__domain_manager_19(RuntimeObject * value)
{
____domain_manager_19 = value;
Il2CppCodeGenWriteBarrier((&____domain_manager_19), value);
}
inline static int32_t get_offset_of_ReflectionOnlyAssemblyResolve_20() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___ReflectionOnlyAssemblyResolve_20)); }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * get_ReflectionOnlyAssemblyResolve_20() const { return ___ReflectionOnlyAssemblyResolve_20; }
inline ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 ** get_address_of_ReflectionOnlyAssemblyResolve_20() { return &___ReflectionOnlyAssemblyResolve_20; }
inline void set_ReflectionOnlyAssemblyResolve_20(ResolveEventHandler_t045C469BEA8B632FA99FE8867C921BA8DAE0BEE5 * value)
{
___ReflectionOnlyAssemblyResolve_20 = value;
Il2CppCodeGenWriteBarrier((&___ReflectionOnlyAssemblyResolve_20), value);
}
inline static int32_t get_offset_of__activation_21() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____activation_21)); }
inline RuntimeObject * get__activation_21() const { return ____activation_21; }
inline RuntimeObject ** get_address_of__activation_21() { return &____activation_21; }
inline void set__activation_21(RuntimeObject * value)
{
____activation_21 = value;
Il2CppCodeGenWriteBarrier((&____activation_21), value);
}
inline static int32_t get_offset_of__applicationIdentity_22() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ____applicationIdentity_22)); }
inline RuntimeObject * get__applicationIdentity_22() const { return ____applicationIdentity_22; }
inline RuntimeObject ** get_address_of__applicationIdentity_22() { return &____applicationIdentity_22; }
inline void set__applicationIdentity_22(RuntimeObject * value)
{
____applicationIdentity_22 = value;
Il2CppCodeGenWriteBarrier((&____applicationIdentity_22), value);
}
inline static int32_t get_offset_of_compatibility_switch_23() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8, ___compatibility_switch_23)); }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * get_compatibility_switch_23() const { return ___compatibility_switch_23; }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 ** get_address_of_compatibility_switch_23() { return &___compatibility_switch_23; }
inline void set_compatibility_switch_23(List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * value)
{
___compatibility_switch_23 = value;
Il2CppCodeGenWriteBarrier((&___compatibility_switch_23), value);
}
};
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_StaticFields
{
public:
// System.String System.AppDomain::_process_guid
String_t* ____process_guid_2;
// System.AppDomain System.AppDomain::default_domain
AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * ___default_domain_10;
public:
inline static int32_t get_offset_of__process_guid_2() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_StaticFields, ____process_guid_2)); }
inline String_t* get__process_guid_2() const { return ____process_guid_2; }
inline String_t** get_address_of__process_guid_2() { return &____process_guid_2; }
inline void set__process_guid_2(String_t* value)
{
____process_guid_2 = value;
Il2CppCodeGenWriteBarrier((&____process_guid_2), value);
}
inline static int32_t get_offset_of_default_domain_10() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_StaticFields, ___default_domain_10)); }
inline AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * get_default_domain_10() const { return ___default_domain_10; }
inline AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 ** get_address_of_default_domain_10() { return &___default_domain_10; }
inline void set_default_domain_10(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * value)
{
___default_domain_10 = value;
Il2CppCodeGenWriteBarrier((&___default_domain_10), value);
}
};
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_ThreadStaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::type_resolve_in_progress
Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * ___type_resolve_in_progress_3;
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::assembly_resolve_in_progress
Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * ___assembly_resolve_in_progress_4;
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::assembly_resolve_in_progress_refonly
Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * ___assembly_resolve_in_progress_refonly_5;
// System.Object System.AppDomain::_principal
RuntimeObject * ____principal_9;
public:
inline static int32_t get_offset_of_type_resolve_in_progress_3() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_ThreadStaticFields, ___type_resolve_in_progress_3)); }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * get_type_resolve_in_progress_3() const { return ___type_resolve_in_progress_3; }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA ** get_address_of_type_resolve_in_progress_3() { return &___type_resolve_in_progress_3; }
inline void set_type_resolve_in_progress_3(Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * value)
{
___type_resolve_in_progress_3 = value;
Il2CppCodeGenWriteBarrier((&___type_resolve_in_progress_3), value);
}
inline static int32_t get_offset_of_assembly_resolve_in_progress_4() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_ThreadStaticFields, ___assembly_resolve_in_progress_4)); }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * get_assembly_resolve_in_progress_4() const { return ___assembly_resolve_in_progress_4; }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA ** get_address_of_assembly_resolve_in_progress_4() { return &___assembly_resolve_in_progress_4; }
inline void set_assembly_resolve_in_progress_4(Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * value)
{
___assembly_resolve_in_progress_4 = value;
Il2CppCodeGenWriteBarrier((&___assembly_resolve_in_progress_4), value);
}
inline static int32_t get_offset_of_assembly_resolve_in_progress_refonly_5() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_ThreadStaticFields, ___assembly_resolve_in_progress_refonly_5)); }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * get_assembly_resolve_in_progress_refonly_5() const { return ___assembly_resolve_in_progress_refonly_5; }
inline Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA ** get_address_of_assembly_resolve_in_progress_refonly_5() { return &___assembly_resolve_in_progress_refonly_5; }
inline void set_assembly_resolve_in_progress_refonly_5(Dictionary_2_t9140A71329927AE4FD0F3CF4D4D66668EBE151EA * value)
{
___assembly_resolve_in_progress_refonly_5 = value;
Il2CppCodeGenWriteBarrier((&___assembly_resolve_in_progress_refonly_5), value);
}
inline static int32_t get_offset_of__principal_9() { return static_cast<int32_t>(offsetof(AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_ThreadStaticFields, ____principal_9)); }
inline RuntimeObject * get__principal_9() const { return ____principal_9; }
inline RuntimeObject ** get_address_of__principal_9() { return &____principal_9; }
inline void set__principal_9(RuntimeObject * value)
{
____principal_9 = value;
Il2CppCodeGenWriteBarrier((&____principal_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.AppDomain
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_marshaled_pinvoke : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_pinvoke
{
intptr_t ____mono_app_domain_1;
Il2CppIUnknown* ____evidence_6;
Il2CppIUnknown* ____granted_7;
int32_t ____principalPolicy_8;
Il2CppMethodPointer ___AssemblyLoad_11;
Il2CppMethodPointer ___AssemblyResolve_12;
Il2CppMethodPointer ___DomainUnload_13;
Il2CppMethodPointer ___ProcessExit_14;
Il2CppMethodPointer ___ResourceResolve_15;
Il2CppMethodPointer ___TypeResolve_16;
Il2CppMethodPointer ___UnhandledException_17;
Il2CppMethodPointer ___FirstChanceException_18;
Il2CppIUnknown* ____domain_manager_19;
Il2CppMethodPointer ___ReflectionOnlyAssemblyResolve_20;
Il2CppIUnknown* ____activation_21;
Il2CppIUnknown* ____applicationIdentity_22;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___compatibility_switch_23;
};
// Native definition for COM marshalling of System.AppDomain
struct AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8_marshaled_com : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_com
{
intptr_t ____mono_app_domain_1;
Il2CppIUnknown* ____evidence_6;
Il2CppIUnknown* ____granted_7;
int32_t ____principalPolicy_8;
Il2CppMethodPointer ___AssemblyLoad_11;
Il2CppMethodPointer ___AssemblyResolve_12;
Il2CppMethodPointer ___DomainUnload_13;
Il2CppMethodPointer ___ProcessExit_14;
Il2CppMethodPointer ___ResourceResolve_15;
Il2CppMethodPointer ___TypeResolve_16;
Il2CppMethodPointer ___UnhandledException_17;
Il2CppMethodPointer ___FirstChanceException_18;
Il2CppIUnknown* ____domain_manager_19;
Il2CppMethodPointer ___ReflectionOnlyAssemblyResolve_20;
Il2CppIUnknown* ____activation_21;
Il2CppIUnknown* ____applicationIdentity_22;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___compatibility_switch_23;
};
#endif // APPDOMAIN_T1B59572328F60585904DF52A59FE47CF5B5FFFF8_H
#ifndef ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#define ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___m_paramName_17), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#ifndef ENUMERATOR_T94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5_H
#define ENUMERATOR_T94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.List`1_Enumerator<UnityEngine.UnitySynchronizationContext_WorkRequest>
struct Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5
{
public:
// System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * ___list_0;
// System.Int32 System.Collections.Generic.List`1_Enumerator::index
int32_t ___index_1;
// System.Int32 System.Collections.Generic.List`1_Enumerator::version
int32_t ___version_2;
// T System.Collections.Generic.List`1_Enumerator::current
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 ___current_3;
public:
inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5, ___list_0)); }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * get_list_0() const { return ___list_0; }
inline List_1_t6E5C746AF7DE21972A905DE655062193862839D6 ** get_address_of_list_0() { return &___list_0; }
inline void set_list_0(List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * value)
{
___list_0 = value;
Il2CppCodeGenWriteBarrier((&___list_0), value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5, ___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(Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5, ___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(Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5, ___current_3)); }
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 get_current_3() const { return ___current_3; }
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * get_address_of_current_3() { return &___current_3; }
inline void set_current_3(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 value)
{
___current_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENUMERATOR_T94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5_H
#ifndef DATETIMEKIND_T6BC23532930B812ABFCCEB2B61BC233712B180EE_H
#define DATETIMEKIND_T6BC23532930B812ABFCCEB2B61BC233712B180EE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DATETIMEKIND_T6BC23532930B812ABFCCEB2B61BC233712B180EE_H
#ifndef DELEGATE_T_H
#define DELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___m_target_2), 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((&___method_info_7), 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((&___original_method_info_8), 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((&___data_9), 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
};
#endif // DELEGATE_T_H
#ifndef INDEXOUTOFRANGEEXCEPTION_TEC7665FC66525AB6A6916A7EB505E5591683F0CF_H
#define INDEXOUTOFRANGEEXCEPTION_TEC7665FC66525AB6A6916A7EB505E5591683F0CF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.IndexOutOfRangeException
struct IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INDEXOUTOFRANGEEXCEPTION_TEC7665FC66525AB6A6916A7EB505E5591683F0CF_H
#ifndef INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#define INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Int32Enum
struct Int32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD
{
public:
// System.Int32 System.Int32Enum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Int32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#ifndef NOTIMPLEMENTEDEXCEPTION_T8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_H
#define NOTIMPLEMENTEDEXCEPTION_T8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.NotImplementedException
struct NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NOTIMPLEMENTEDEXCEPTION_T8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_H
#ifndef BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#define BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#ifndef METHODINFO_T_H
#define METHODINFO_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.MethodInfo
struct MethodInfo_t : public MethodBase_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // METHODINFO_T_H
#ifndef PARAMETERATTRIBUTES_TF9962395513C2A48CF5AF2F371C66DD52789F110_H
#define PARAMETERATTRIBUTES_TF9962395513C2A48CF5AF2F371C66DD52789F110_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.ParameterAttributes
struct ParameterAttributes_tF9962395513C2A48CF5AF2F371C66DD52789F110
{
public:
// System.Int32 System.Reflection.ParameterAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParameterAttributes_tF9962395513C2A48CF5AF2F371C66DD52789F110, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // PARAMETERATTRIBUTES_TF9962395513C2A48CF5AF2F371C66DD52789F110_H
#ifndef STREAMINGCONTEXTSTATES_T6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F_H
#define STREAMINGCONTEXTSTATES_T6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STREAMINGCONTEXTSTATES_T6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F_H
#ifndef RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#define RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#ifndef WAITHANDLE_TFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_H
#define WAITHANDLE_TFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.WaitHandle
struct WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6 : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF
{
public:
// System.IntPtr System.Threading.WaitHandle::waitHandle
intptr_t ___waitHandle_3;
// Microsoft.Win32.SafeHandles.SafeWaitHandle modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.WaitHandle::safeWaitHandle
SafeWaitHandle_t51DB35FF382E636FF3B868D87816733894D46CF2 * ___safeWaitHandle_4;
// System.Boolean System.Threading.WaitHandle::hasThreadAffinity
bool ___hasThreadAffinity_5;
public:
inline static int32_t get_offset_of_waitHandle_3() { return static_cast<int32_t>(offsetof(WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6, ___waitHandle_3)); }
inline intptr_t get_waitHandle_3() const { return ___waitHandle_3; }
inline intptr_t* get_address_of_waitHandle_3() { return &___waitHandle_3; }
inline void set_waitHandle_3(intptr_t value)
{
___waitHandle_3 = value;
}
inline static int32_t get_offset_of_safeWaitHandle_4() { return static_cast<int32_t>(offsetof(WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6, ___safeWaitHandle_4)); }
inline SafeWaitHandle_t51DB35FF382E636FF3B868D87816733894D46CF2 * get_safeWaitHandle_4() const { return ___safeWaitHandle_4; }
inline SafeWaitHandle_t51DB35FF382E636FF3B868D87816733894D46CF2 ** get_address_of_safeWaitHandle_4() { return &___safeWaitHandle_4; }
inline void set_safeWaitHandle_4(SafeWaitHandle_t51DB35FF382E636FF3B868D87816733894D46CF2 * value)
{
___safeWaitHandle_4 = value;
Il2CppCodeGenWriteBarrier((&___safeWaitHandle_4), value);
}
inline static int32_t get_offset_of_hasThreadAffinity_5() { return static_cast<int32_t>(offsetof(WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6, ___hasThreadAffinity_5)); }
inline bool get_hasThreadAffinity_5() const { return ___hasThreadAffinity_5; }
inline bool* get_address_of_hasThreadAffinity_5() { return &___hasThreadAffinity_5; }
inline void set_hasThreadAffinity_5(bool value)
{
___hasThreadAffinity_5 = value;
}
};
struct WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_StaticFields
{
public:
// System.IntPtr System.Threading.WaitHandle::InvalidHandle
intptr_t ___InvalidHandle_10;
public:
inline static int32_t get_offset_of_InvalidHandle_10() { return static_cast<int32_t>(offsetof(WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_StaticFields, ___InvalidHandle_10)); }
inline intptr_t get_InvalidHandle_10() const { return ___InvalidHandle_10; }
inline intptr_t* get_address_of_InvalidHandle_10() { return &___InvalidHandle_10; }
inline void set_InvalidHandle_10(intptr_t value)
{
___InvalidHandle_10 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Threading.WaitHandle
struct WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_marshaled_pinvoke : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_pinvoke
{
intptr_t ___waitHandle_3;
void* ___safeWaitHandle_4;
int32_t ___hasThreadAffinity_5;
};
// Native definition for COM marshalling of System.Threading.WaitHandle
struct WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_marshaled_com : public MarshalByRefObject_tC4577953D0A44D0AB8597CFA868E01C858B1C9AF_marshaled_com
{
intptr_t ___waitHandle_3;
void* ___safeWaitHandle_4;
int32_t ___hasThreadAffinity_5;
};
#endif // WAITHANDLE_TFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6_H
#ifndef ASYNCOPERATION_T304C51ABED8AE734CC8DDDFE13013D8D5A44641D_H
#define ASYNCOPERATION_T304C51ABED8AE734CC8DDDFE13013D8D5A44641D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AsyncOperation
struct AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44
{
public:
// System.IntPtr UnityEngine.AsyncOperation::m_Ptr
intptr_t ___m_Ptr_0;
// System.Action`1<UnityEngine.AsyncOperation> UnityEngine.AsyncOperation::m_completeCallback
Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9 * ___m_completeCallback_1;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
inline static int32_t get_offset_of_m_completeCallback_1() { return static_cast<int32_t>(offsetof(AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D, ___m_completeCallback_1)); }
inline Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9 * get_m_completeCallback_1() const { return ___m_completeCallback_1; }
inline Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9 ** get_address_of_m_completeCallback_1() { return &___m_completeCallback_1; }
inline void set_m_completeCallback_1(Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9 * value)
{
___m_completeCallback_1 = value;
Il2CppCodeGenWriteBarrier((&___m_completeCallback_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.AsyncOperation
struct AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D_marshaled_pinvoke : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_completeCallback_1;
};
// Native definition for COM marshalling of UnityEngine.AsyncOperation
struct AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D_marshaled_com : public YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_completeCallback_1;
};
#endif // ASYNCOPERATION_T304C51ABED8AE734CC8DDDFE13013D8D5A44641D_H
#ifndef BOUNDS_TA2716F5212749C61B0E7B7B77E0CD3D79B742890_H
#define BOUNDS_TA2716F5212749C61B0E7B7B77E0CD3D79B742890_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Bounds
struct Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890
{
public:
// UnityEngine.Vector3 UnityEngine.Bounds::m_Center
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___m_Center_0;
// UnityEngine.Vector3 UnityEngine.Bounds::m_Extents
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___m_Extents_1;
public:
inline static int32_t get_offset_of_m_Center_0() { return static_cast<int32_t>(offsetof(Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890, ___m_Center_0)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_m_Center_0() const { return ___m_Center_0; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_m_Center_0() { return &___m_Center_0; }
inline void set_m_Center_0(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___m_Center_0 = value;
}
inline static int32_t get_offset_of_m_Extents_1() { return static_cast<int32_t>(offsetof(Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890, ___m_Extents_1)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_m_Extents_1() const { return ___m_Extents_1; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_m_Extents_1() { return &___m_Extents_1; }
inline void set_m_Extents_1(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___m_Extents_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BOUNDS_TA2716F5212749C61B0E7B7B77E0CD3D79B742890_H
#ifndef CAMERACLEARFLAGS_TAC22BD22D12708CBDC63F6CFB31109E5E17CF239_H
#define CAMERACLEARFLAGS_TAC22BD22D12708CBDC63F6CFB31109E5E17CF239_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.CameraClearFlags
struct CameraClearFlags_tAC22BD22D12708CBDC63F6CFB31109E5E17CF239
{
public:
// System.Int32 UnityEngine.CameraClearFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CameraClearFlags_tAC22BD22D12708CBDC63F6CFB31109E5E17CF239, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CAMERACLEARFLAGS_TAC22BD22D12708CBDC63F6CFB31109E5E17CF239_H
#ifndef COLORSPACE_TAB3C938B1B47C6E9AC4596BF142AEDCD8A60936F_H
#define COLORSPACE_TAB3C938B1B47C6E9AC4596BF142AEDCD8A60936F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ColorSpace
struct ColorSpace_tAB3C938B1B47C6E9AC4596BF142AEDCD8A60936F
{
public:
// System.Int32 UnityEngine.ColorSpace::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorSpace_tAB3C938B1B47C6E9AC4596BF142AEDCD8A60936F, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLORSPACE_TAB3C938B1B47C6E9AC4596BF142AEDCD8A60936F_H
#ifndef DISPLAY_T38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_H
#define DISPLAY_T38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Display
struct Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Display::nativeDisplay
intptr_t ___nativeDisplay_0;
public:
inline static int32_t get_offset_of_nativeDisplay_0() { return static_cast<int32_t>(offsetof(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57, ___nativeDisplay_0)); }
inline intptr_t get_nativeDisplay_0() const { return ___nativeDisplay_0; }
inline intptr_t* get_address_of_nativeDisplay_0() { return &___nativeDisplay_0; }
inline void set_nativeDisplay_0(intptr_t value)
{
___nativeDisplay_0 = value;
}
};
struct Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields
{
public:
// UnityEngine.Display[] UnityEngine.Display::displays
DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* ___displays_1;
// UnityEngine.Display UnityEngine.Display::_mainDisplay
Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * ____mainDisplay_2;
// UnityEngine.Display_DisplaysUpdatedDelegate UnityEngine.Display::onDisplaysUpdated
DisplaysUpdatedDelegate_t2FAF995B47D691BD7C5BBC17D533DD8B19BE9A90 * ___onDisplaysUpdated_3;
public:
inline static int32_t get_offset_of_displays_1() { return static_cast<int32_t>(offsetof(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields, ___displays_1)); }
inline DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* get_displays_1() const { return ___displays_1; }
inline DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9** get_address_of_displays_1() { return &___displays_1; }
inline void set_displays_1(DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* value)
{
___displays_1 = value;
Il2CppCodeGenWriteBarrier((&___displays_1), value);
}
inline static int32_t get_offset_of__mainDisplay_2() { return static_cast<int32_t>(offsetof(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields, ____mainDisplay_2)); }
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * get__mainDisplay_2() const { return ____mainDisplay_2; }
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 ** get_address_of__mainDisplay_2() { return &____mainDisplay_2; }
inline void set__mainDisplay_2(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * value)
{
____mainDisplay_2 = value;
Il2CppCodeGenWriteBarrier((&____mainDisplay_2), value);
}
inline static int32_t get_offset_of_onDisplaysUpdated_3() { return static_cast<int32_t>(offsetof(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields, ___onDisplaysUpdated_3)); }
inline DisplaysUpdatedDelegate_t2FAF995B47D691BD7C5BBC17D533DD8B19BE9A90 * get_onDisplaysUpdated_3() const { return ___onDisplaysUpdated_3; }
inline DisplaysUpdatedDelegate_t2FAF995B47D691BD7C5BBC17D533DD8B19BE9A90 ** get_address_of_onDisplaysUpdated_3() { return &___onDisplaysUpdated_3; }
inline void set_onDisplaysUpdated_3(DisplaysUpdatedDelegate_t2FAF995B47D691BD7C5BBC17D533DD8B19BE9A90 * value)
{
___onDisplaysUpdated_3 = value;
Il2CppCodeGenWriteBarrier((&___onDisplaysUpdated_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DISPLAY_T38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_H
#ifndef FORMATUSAGE_T117AE34283B21B51894E10162A58F65FBF9E4D83_H
#define FORMATUSAGE_T117AE34283B21B51894E10162A58F65FBF9E4D83_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Experimental.Rendering.FormatUsage
struct FormatUsage_t117AE34283B21B51894E10162A58F65FBF9E4D83
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.FormatUsage::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FormatUsage_t117AE34283B21B51894E10162A58F65FBF9E4D83, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // FORMATUSAGE_T117AE34283B21B51894E10162A58F65FBF9E4D83_H
#ifndef GRAPHICSFORMAT_T512915BBE299AE115F4DB0B96DF1DA2E72ECA181_H
#define GRAPHICSFORMAT_T512915BBE299AE115F4DB0B96DF1DA2E72ECA181_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Experimental.Rendering.GraphicsFormat
struct GraphicsFormat_t512915BBE299AE115F4DB0B96DF1DA2E72ECA181
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.GraphicsFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GraphicsFormat_t512915BBE299AE115F4DB0B96DF1DA2E72ECA181, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GRAPHICSFORMAT_T512915BBE299AE115F4DB0B96DF1DA2E72ECA181_H
#ifndef TEXTURECREATIONFLAGS_T53DF64FEEF1551EC3224A2930BDFAAC63133E870_H
#define TEXTURECREATIONFLAGS_T53DF64FEEF1551EC3224A2930BDFAAC63133E870_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Experimental.Rendering.TextureCreationFlags
struct TextureCreationFlags_t53DF64FEEF1551EC3224A2930BDFAAC63133E870
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.TextureCreationFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureCreationFlags_t53DF64FEEF1551EC3224A2930BDFAAC63133E870, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTURECREATIONFLAGS_T53DF64FEEF1551EC3224A2930BDFAAC63133E870_H
#ifndef OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#define OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Object::m_CachedPtr
intptr_t ___m_CachedPtr_0;
public:
inline static int32_t get_offset_of_m_CachedPtr_0() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0, ___m_CachedPtr_0)); }
inline intptr_t get_m_CachedPtr_0() const { return ___m_CachedPtr_0; }
inline intptr_t* get_address_of_m_CachedPtr_0() { return &___m_CachedPtr_0; }
inline void set_m_CachedPtr_0(intptr_t value)
{
___m_CachedPtr_0 = value;
}
};
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields
{
public:
// System.Int32 UnityEngine.Object::OffsetOfInstanceIDInCPlusPlusObject
int32_t ___OffsetOfInstanceIDInCPlusPlusObject_1;
public:
inline static int32_t get_offset_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields, ___OffsetOfInstanceIDInCPlusPlusObject_1)); }
inline int32_t get_OffsetOfInstanceIDInCPlusPlusObject_1() const { return ___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline int32_t* get_address_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return &___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline void set_OffsetOfInstanceIDInCPlusPlusObject_1(int32_t value)
{
___OffsetOfInstanceIDInCPlusPlusObject_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
intptr_t ___m_CachedPtr_0;
};
// Native definition for COM marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
intptr_t ___m_CachedPtr_0;
};
#endif // OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifndef OPERATINGSYSTEMFAMILY_TB10B95DB611852B942F4B31CCD63B9955350F2EE_H
#define OPERATINGSYSTEMFAMILY_TB10B95DB611852B942F4B31CCD63B9955350F2EE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.OperatingSystemFamily
struct OperatingSystemFamily_tB10B95DB611852B942F4B31CCD63B9955350F2EE
{
public:
// System.Int32 UnityEngine.OperatingSystemFamily::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OperatingSystemFamily_tB10B95DB611852B942F4B31CCD63B9955350F2EE, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // OPERATINGSYSTEMFAMILY_TB10B95DB611852B942F4B31CCD63B9955350F2EE_H
#ifndef RAY_TE2163D4CB3E6B267E29F8ABE41684490E4A614B2_H
#define RAY_TE2163D4CB3E6B267E29F8ABE41684490E4A614B2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Ray
struct Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2
{
public:
// UnityEngine.Vector3 UnityEngine.Ray::m_Origin
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___m_Origin_0;
// UnityEngine.Vector3 UnityEngine.Ray::m_Direction
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___m_Direction_1;
public:
inline static int32_t get_offset_of_m_Origin_0() { return static_cast<int32_t>(offsetof(Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2, ___m_Origin_0)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_m_Origin_0() const { return ___m_Origin_0; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_m_Origin_0() { return &___m_Origin_0; }
inline void set_m_Origin_0(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___m_Origin_0 = value;
}
inline static int32_t get_offset_of_m_Direction_1() { return static_cast<int32_t>(offsetof(Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2, ___m_Direction_1)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_m_Direction_1() const { return ___m_Direction_1; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_m_Direction_1() { return &___m_Direction_1; }
inline void set_m_Direction_1(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___m_Direction_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RAY_TE2163D4CB3E6B267E29F8ABE41684490E4A614B2_H
#ifndef AXIS_TA0521D01CB96B1073151D89F6DB21C805556FE39_H
#define AXIS_TA0521D01CB96B1073151D89F6DB21C805556FE39_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RectTransform_Axis
struct Axis_tA0521D01CB96B1073151D89F6DB21C805556FE39
{
public:
// System.Int32 UnityEngine.RectTransform_Axis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Axis_tA0521D01CB96B1073151D89F6DB21C805556FE39, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AXIS_TA0521D01CB96B1073151D89F6DB21C805556FE39_H
#ifndef EDGE_TE7D013B0542A9F63E6413D67C3F0B866CC228278_H
#define EDGE_TE7D013B0542A9F63E6413D67C3F0B866CC228278_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RectTransform_Edge
struct Edge_tE7D013B0542A9F63E6413D67C3F0B866CC228278
{
public:
// System.Int32 UnityEngine.RectTransform_Edge::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Edge_tE7D013B0542A9F63E6413D67C3F0B866CC228278, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EDGE_TE7D013B0542A9F63E6413D67C3F0B866CC228278_H
#ifndef REFLECTIONPROBEEVENT_TAD4C0C38E85136A37E2E3596DF3C052A62ACCC9B_H
#define REFLECTIONPROBEEVENT_TAD4C0C38E85136A37E2E3596DF3C052A62ACCC9B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ReflectionProbe_ReflectionProbeEvent
struct ReflectionProbeEvent_tAD4C0C38E85136A37E2E3596DF3C052A62ACCC9B
{
public:
// System.Int32 UnityEngine.ReflectionProbe_ReflectionProbeEvent::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ReflectionProbeEvent_tAD4C0C38E85136A37E2E3596DF3C052A62ACCC9B, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // REFLECTIONPROBEEVENT_TAD4C0C38E85136A37E2E3596DF3C052A62ACCC9B_H
#ifndef RENDERTEXTURECREATIONFLAGS_TF63E06301E4BB4746F7E07759B359872BD4BFB1E_H
#define RENDERTEXTURECREATIONFLAGS_TF63E06301E4BB4746F7E07759B359872BD4BFB1E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTextureCreationFlags
struct RenderTextureCreationFlags_tF63E06301E4BB4746F7E07759B359872BD4BFB1E
{
public:
// System.Int32 UnityEngine.RenderTextureCreationFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureCreationFlags_tF63E06301E4BB4746F7E07759B359872BD4BFB1E, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTURECREATIONFLAGS_TF63E06301E4BB4746F7E07759B359872BD4BFB1E_H
#ifndef RENDERTEXTUREFORMAT_T2AB1B77FBD247648292FBBE1182F12B5FC47AF85_H
#define RENDERTEXTUREFORMAT_T2AB1B77FBD247648292FBBE1182F12B5FC47AF85_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTextureFormat
struct RenderTextureFormat_t2AB1B77FBD247648292FBBE1182F12B5FC47AF85
{
public:
// System.Int32 UnityEngine.RenderTextureFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureFormat_t2AB1B77FBD247648292FBBE1182F12B5FC47AF85, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTUREFORMAT_T2AB1B77FBD247648292FBBE1182F12B5FC47AF85_H
#ifndef RENDERTEXTUREMEMORYLESS_T19E37ADD57C1F00D67146A2BB4521D06F370D2E9_H
#define RENDERTEXTUREMEMORYLESS_T19E37ADD57C1F00D67146A2BB4521D06F370D2E9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTextureMemoryless
struct RenderTextureMemoryless_t19E37ADD57C1F00D67146A2BB4521D06F370D2E9
{
public:
// System.Int32 UnityEngine.RenderTextureMemoryless::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureMemoryless_t19E37ADD57C1F00D67146A2BB4521D06F370D2E9, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTUREMEMORYLESS_T19E37ADD57C1F00D67146A2BB4521D06F370D2E9_H
#ifndef RENDERTEXTUREREADWRITE_T3CCCB992A820A6F3229071EBC0E3927DC81D04F8_H
#define RENDERTEXTUREREADWRITE_T3CCCB992A820A6F3229071EBC0E3927DC81D04F8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTextureReadWrite
struct RenderTextureReadWrite_t3CCCB992A820A6F3229071EBC0E3927DC81D04F8
{
public:
// System.Int32 UnityEngine.RenderTextureReadWrite::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureReadWrite_t3CCCB992A820A6F3229071EBC0E3927DC81D04F8, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTUREREADWRITE_T3CCCB992A820A6F3229071EBC0E3927DC81D04F8_H
#ifndef COLORWRITEMASK_T5DC00042EAC46AEEB06A7E0D51EA00C26F076E70_H
#define COLORWRITEMASK_T5DC00042EAC46AEEB06A7E0D51EA00C26F076E70_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.ColorWriteMask
struct ColorWriteMask_t5DC00042EAC46AEEB06A7E0D51EA00C26F076E70
{
public:
// System.Int32 UnityEngine.Rendering.ColorWriteMask::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorWriteMask_t5DC00042EAC46AEEB06A7E0D51EA00C26F076E70, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLORWRITEMASK_T5DC00042EAC46AEEB06A7E0D51EA00C26F076E70_H
#ifndef COMPAREFUNCTION_T217BE827C5994EDCA3FE70CE73578C2F729F9E69_H
#define COMPAREFUNCTION_T217BE827C5994EDCA3FE70CE73578C2F729F9E69_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.CompareFunction
struct CompareFunction_t217BE827C5994EDCA3FE70CE73578C2F729F9E69
{
public:
// System.Int32 UnityEngine.Rendering.CompareFunction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CompareFunction_t217BE827C5994EDCA3FE70CE73578C2F729F9E69, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPAREFUNCTION_T217BE827C5994EDCA3FE70CE73578C2F729F9E69_H
#ifndef SHADOWSAMPLINGMODE_T585A9BDECAC505FF19FF785F55CDD403A2E5DA73_H
#define SHADOWSAMPLINGMODE_T585A9BDECAC505FF19FF785F55CDD403A2E5DA73_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.ShadowSamplingMode
struct ShadowSamplingMode_t585A9BDECAC505FF19FF785F55CDD403A2E5DA73
{
public:
// System.Int32 UnityEngine.Rendering.ShadowSamplingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ShadowSamplingMode_t585A9BDECAC505FF19FF785F55CDD403A2E5DA73, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SHADOWSAMPLINGMODE_T585A9BDECAC505FF19FF785F55CDD403A2E5DA73_H
#ifndef STENCILOP_T39C53F937E65AEB59181772222564CEE34A3A48A_H
#define STENCILOP_T39C53F937E65AEB59181772222564CEE34A3A48A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.StencilOp
struct StencilOp_t39C53F937E65AEB59181772222564CEE34A3A48A
{
public:
// System.Int32 UnityEngine.Rendering.StencilOp::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StencilOp_t39C53F937E65AEB59181772222564CEE34A3A48A, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STENCILOP_T39C53F937E65AEB59181772222564CEE34A3A48A_H
#ifndef TEXTUREDIMENSION_T90D0E4110D3F4D062F3E8C0F69809BFBBDF8E19C_H
#define TEXTUREDIMENSION_T90D0E4110D3F4D062F3E8C0F69809BFBBDF8E19C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.TextureDimension
struct TextureDimension_t90D0E4110D3F4D062F3E8C0F69809BFBBDF8E19C
{
public:
// System.Int32 UnityEngine.Rendering.TextureDimension::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureDimension_t90D0E4110D3F4D062F3E8C0F69809BFBBDF8E19C, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTUREDIMENSION_T90D0E4110D3F4D062F3E8C0F69809BFBBDF8E19C_H
#ifndef VERTEXATTRIBUTE_T2D79DF64001C55DA72AC86CE8946098970E8194D_H
#define VERTEXATTRIBUTE_T2D79DF64001C55DA72AC86CE8946098970E8194D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rendering.VertexAttribute
struct VertexAttribute_t2D79DF64001C55DA72AC86CE8946098970E8194D
{
public:
// System.Int32 UnityEngine.Rendering.VertexAttribute::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VertexAttribute_t2D79DF64001C55DA72AC86CE8946098970E8194D, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VERTEXATTRIBUTE_T2D79DF64001C55DA72AC86CE8946098970E8194D_H
#ifndef RUNTIMEINITIALIZELOADTYPE_T888FB9E422DBFD5C67D23B9AB2C0C6635DAAFC80_H
#define RUNTIMEINITIALIZELOADTYPE_T888FB9E422DBFD5C67D23B9AB2C0C6635DAAFC80_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RuntimeInitializeLoadType
struct RuntimeInitializeLoadType_t888FB9E422DBFD5C67D23B9AB2C0C6635DAAFC80
{
public:
// System.Int32 UnityEngine.RuntimeInitializeLoadType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RuntimeInitializeLoadType_t888FB9E422DBFD5C67D23B9AB2C0C6635DAAFC80, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEINITIALIZELOADTYPE_T888FB9E422DBFD5C67D23B9AB2C0C6635DAAFC80_H
#ifndef RUNTIMEPLATFORM_TD5F5737C1BBBCBB115EB104DF2B7876387E80132_H
#define RUNTIMEPLATFORM_TD5F5737C1BBBCBB115EB104DF2B7876387E80132_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RuntimePlatform
struct RuntimePlatform_tD5F5737C1BBBCBB115EB104DF2B7876387E80132
{
public:
// System.Int32 UnityEngine.RuntimePlatform::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RuntimePlatform_tD5F5737C1BBBCBB115EB104DF2B7876387E80132, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEPLATFORM_TD5F5737C1BBBCBB115EB104DF2B7876387E80132_H
#ifndef LOADSCENEMODE_T75F0B96794398942671B8315D2A9AC25C40A22D5_H
#define LOADSCENEMODE_T75F0B96794398942671B8315D2A9AC25C40A22D5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SceneManagement.LoadSceneMode
struct LoadSceneMode_t75F0B96794398942671B8315D2A9AC25C40A22D5
{
public:
// System.Int32 UnityEngine.SceneManagement.LoadSceneMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LoadSceneMode_t75F0B96794398942671B8315D2A9AC25C40A22D5, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LOADSCENEMODE_T75F0B96794398942671B8315D2A9AC25C40A22D5_H
#ifndef LOCALPHYSICSMODE_T6B9ECF9ECF2D2BF2D0B65FE053E7B2235BC4C385_H
#define LOCALPHYSICSMODE_T6B9ECF9ECF2D2BF2D0B65FE053E7B2235BC4C385_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SceneManagement.LocalPhysicsMode
struct LocalPhysicsMode_t6B9ECF9ECF2D2BF2D0B65FE053E7B2235BC4C385
{
public:
// System.Int32 UnityEngine.SceneManagement.LocalPhysicsMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LocalPhysicsMode_t6B9ECF9ECF2D2BF2D0B65FE053E7B2235BC4C385, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LOCALPHYSICSMODE_T6B9ECF9ECF2D2BF2D0B65FE053E7B2235BC4C385_H
#ifndef SENDMESSAGEOPTIONS_T4EA4645A7D0C4E0186BD7A984CDF4EE2C8F26250_H
#define SENDMESSAGEOPTIONS_T4EA4645A7D0C4E0186BD7A984CDF4EE2C8F26250_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SendMessageOptions
struct SendMessageOptions_t4EA4645A7D0C4E0186BD7A984CDF4EE2C8F26250
{
public:
// System.Int32 UnityEngine.SendMessageOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SendMessageOptions_t4EA4645A7D0C4E0186BD7A984CDF4EE2C8F26250, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SENDMESSAGEOPTIONS_T4EA4645A7D0C4E0186BD7A984CDF4EE2C8F26250_H
#ifndef SPACEATTRIBUTE_TA724C103FE786D2E773D89B2789C0C1F812376C2_H
#define SPACEATTRIBUTE_TA724C103FE786D2E773D89B2789C0C1F812376C2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SpaceAttribute
struct SpaceAttribute_tA724C103FE786D2E773D89B2789C0C1F812376C2 : public PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54
{
public:
// System.Single UnityEngine.SpaceAttribute::height
float ___height_0;
public:
inline static int32_t get_offset_of_height_0() { return static_cast<int32_t>(offsetof(SpaceAttribute_tA724C103FE786D2E773D89B2789C0C1F812376C2, ___height_0)); }
inline float get_height_0() const { return ___height_0; }
inline float* get_address_of_height_0() { return &___height_0; }
inline void set_height_0(float value)
{
___height_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPACEATTRIBUTE_TA724C103FE786D2E773D89B2789C0C1F812376C2_H
#ifndef SPRITEPACKINGMODE_TCAC1A79D61697B3532FB2FC8CAF3A2DD150555B1_H
#define SPRITEPACKINGMODE_TCAC1A79D61697B3532FB2FC8CAF3A2DD150555B1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SpritePackingMode
struct SpritePackingMode_tCAC1A79D61697B3532FB2FC8CAF3A2DD150555B1
{
public:
// System.Int32 UnityEngine.SpritePackingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SpritePackingMode_tCAC1A79D61697B3532FB2FC8CAF3A2DD150555B1, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPRITEPACKINGMODE_TCAC1A79D61697B3532FB2FC8CAF3A2DD150555B1_H
#ifndef TEXTAREAATTRIBUTE_T85045C366B3A3B41CE21984CDDE589E1A786E394_H
#define TEXTAREAATTRIBUTE_T85045C366B3A3B41CE21984CDDE589E1A786E394_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TextAreaAttribute
struct TextAreaAttribute_t85045C366B3A3B41CE21984CDDE589E1A786E394 : public PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54
{
public:
// System.Int32 UnityEngine.TextAreaAttribute::minLines
int32_t ___minLines_0;
// System.Int32 UnityEngine.TextAreaAttribute::maxLines
int32_t ___maxLines_1;
public:
inline static int32_t get_offset_of_minLines_0() { return static_cast<int32_t>(offsetof(TextAreaAttribute_t85045C366B3A3B41CE21984CDDE589E1A786E394, ___minLines_0)); }
inline int32_t get_minLines_0() const { return ___minLines_0; }
inline int32_t* get_address_of_minLines_0() { return &___minLines_0; }
inline void set_minLines_0(int32_t value)
{
___minLines_0 = value;
}
inline static int32_t get_offset_of_maxLines_1() { return static_cast<int32_t>(offsetof(TextAreaAttribute_t85045C366B3A3B41CE21984CDDE589E1A786E394, ___maxLines_1)); }
inline int32_t get_maxLines_1() const { return ___maxLines_1; }
inline int32_t* get_address_of_maxLines_1() { return &___maxLines_1; }
inline void set_maxLines_1(int32_t value)
{
___maxLines_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTAREAATTRIBUTE_T85045C366B3A3B41CE21984CDDE589E1A786E394_H
#ifndef TEXTUREFORMAT_T7C6B5101554065C47682E592D1E26079D4EC2DCE_H
#define TEXTUREFORMAT_T7C6B5101554065C47682E592D1E26079D4EC2DCE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TextureFormat
struct TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE
{
public:
// System.Int32 UnityEngine.TextureFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTUREFORMAT_T7C6B5101554065C47682E592D1E26079D4EC2DCE_H
#ifndef TEXTUREWRAPMODE_T8AC763BD80806A9175C6AA8D33D6BABAD83E950F_H
#define TEXTUREWRAPMODE_T8AC763BD80806A9175C6AA8D33D6BABAD83E950F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TextureWrapMode
struct TextureWrapMode_t8AC763BD80806A9175C6AA8D33D6BABAD83E950F
{
public:
// System.Int32 UnityEngine.TextureWrapMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureWrapMode_t8AC763BD80806A9175C6AA8D33D6BABAD83E950F, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTUREWRAPMODE_T8AC763BD80806A9175C6AA8D33D6BABAD83E950F_H
#ifndef TOOLTIPATTRIBUTE_T92811DE0164DF2D722334584EBEEE3EF15AD5E6C_H
#define TOOLTIPATTRIBUTE_T92811DE0164DF2D722334584EBEEE3EF15AD5E6C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TooltipAttribute
struct TooltipAttribute_t92811DE0164DF2D722334584EBEEE3EF15AD5E6C : public PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54
{
public:
// System.String UnityEngine.TooltipAttribute::tooltip
String_t* ___tooltip_0;
public:
inline static int32_t get_offset_of_tooltip_0() { return static_cast<int32_t>(offsetof(TooltipAttribute_t92811DE0164DF2D722334584EBEEE3EF15AD5E6C, ___tooltip_0)); }
inline String_t* get_tooltip_0() const { return ___tooltip_0; }
inline String_t** get_address_of_tooltip_0() { return &___tooltip_0; }
inline void set_tooltip_0(String_t* value)
{
___tooltip_0 = value;
Il2CppCodeGenWriteBarrier((&___tooltip_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOOLTIPATTRIBUTE_T92811DE0164DF2D722334584EBEEE3EF15AD5E6C_H
#ifndef TOUCHPHASE_TD902305F0B673116C42548A58E8BEED50177A33D_H
#define TOUCHPHASE_TD902305F0B673116C42548A58E8BEED50177A33D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchPhase
struct TouchPhase_tD902305F0B673116C42548A58E8BEED50177A33D
{
public:
// System.Int32 UnityEngine.TouchPhase::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchPhase_tD902305F0B673116C42548A58E8BEED50177A33D, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCHPHASE_TD902305F0B673116C42548A58E8BEED50177A33D_H
#ifndef STATUS_T30C5BC9C53914BC5D15849920F7684493D884090_H
#define STATUS_T30C5BC9C53914BC5D15849920F7684493D884090_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchScreenKeyboard_Status
struct Status_t30C5BC9C53914BC5D15849920F7684493D884090
{
public:
// System.Int32 UnityEngine.TouchScreenKeyboard_Status::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Status_t30C5BC9C53914BC5D15849920F7684493D884090, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STATUS_T30C5BC9C53914BC5D15849920F7684493D884090_H
#ifndef TOUCHSCREENKEYBOARDTYPE_TDD21D45735F3021BF4C6C7C1A660ABF03EBCE602_H
#define TOUCHSCREENKEYBOARDTYPE_TDD21D45735F3021BF4C6C7C1A660ABF03EBCE602_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchScreenKeyboardType
struct TouchScreenKeyboardType_tDD21D45735F3021BF4C6C7C1A660ABF03EBCE602
{
public:
// System.Int32 UnityEngine.TouchScreenKeyboardType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchScreenKeyboardType_tDD21D45735F3021BF4C6C7C1A660ABF03EBCE602, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCHSCREENKEYBOARDTYPE_TDD21D45735F3021BF4C6C7C1A660ABF03EBCE602_H
#ifndef TOUCHTYPE_T27DBEAB2242247A15EDE96D740F7EB73ACC938DB_H
#define TOUCHTYPE_T27DBEAB2242247A15EDE96D740F7EB73ACC938DB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchType
struct TouchType_t27DBEAB2242247A15EDE96D740F7EB73ACC938DB
{
public:
// System.Int32 UnityEngine.TouchType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchType_t27DBEAB2242247A15EDE96D740F7EB73ACC938DB, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCHTYPE_T27DBEAB2242247A15EDE96D740F7EB73ACC938DB_H
#ifndef TRACKEDREFERENCE_TE93229EF7055CBB35B2A98DD2493947428D06107_H
#define TRACKEDREFERENCE_TE93229EF7055CBB35B2A98DD2493947428D06107_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TrackedReference
struct TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.TrackedReference::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.TrackedReference
struct TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.TrackedReference
struct TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_com
{
intptr_t ___m_Ptr_0;
};
#endif // TRACKEDREFERENCE_TE93229EF7055CBB35B2A98DD2493947428D06107_H
#ifndef UNITYLOGWRITER_TC410B1D6FCF9C74F0B6915C8F97C75E103ED0057_H
#define UNITYLOGWRITER_TC410B1D6FCF9C74F0B6915C8F97C75E103ED0057_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnityLogWriter
struct UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 : public TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYLOGWRITER_TC410B1D6FCF9C74F0B6915C8F97C75E103ED0057_H
#ifndef VRTEXTUREUSAGE_T2D7C2397ABF03DD28086B969100F7D91DDD978A0_H
#define VRTEXTUREUSAGE_T2D7C2397ABF03DD28086B969100F7D91DDD978A0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.VRTextureUsage
struct VRTextureUsage_t2D7C2397ABF03DD28086B969100F7D91DDD978A0
{
public:
// System.Int32 UnityEngine.VRTextureUsage::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VRTextureUsage_t2D7C2397ABF03DD28086B969100F7D91DDD978A0, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VRTEXTUREUSAGE_T2D7C2397ABF03DD28086B969100F7D91DDD978A0_H
#ifndef LOCALNOTIFICATION_TCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_H
#define LOCALNOTIFICATION_TCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.iOS.LocalNotification
struct LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.iOS.LocalNotification::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
};
struct LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_StaticFields
{
public:
// System.Int64 UnityEngine.iOS.LocalNotification::m_NSReferenceDateTicks
int64_t ___m_NSReferenceDateTicks_1;
public:
inline static int32_t get_offset_of_m_NSReferenceDateTicks_1() { return static_cast<int32_t>(offsetof(LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_StaticFields, ___m_NSReferenceDateTicks_1)); }
inline int64_t get_m_NSReferenceDateTicks_1() const { return ___m_NSReferenceDateTicks_1; }
inline int64_t* get_address_of_m_NSReferenceDateTicks_1() { return &___m_NSReferenceDateTicks_1; }
inline void set_m_NSReferenceDateTicks_1(int64_t value)
{
___m_NSReferenceDateTicks_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LOCALNOTIFICATION_TCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_H
#ifndef REMOTENOTIFICATION_TE0413FADC666D8ECDE70A365F41A784002106061_H
#define REMOTENOTIFICATION_TE0413FADC666D8ECDE70A365F41A784002106061_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.iOS.RemoteNotification
struct RemoteNotification_tE0413FADC666D8ECDE70A365F41A784002106061 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.iOS.RemoteNotification::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(RemoteNotification_tE0413FADC666D8ECDE70A365F41A784002106061, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // REMOTENOTIFICATION_TE0413FADC666D8ECDE70A365F41A784002106061_H
#ifndef MATHFINTERNAL_T3E913BDEA2E88DF117AEBE6A099B5922A78A1693_H
#define MATHFINTERNAL_T3E913BDEA2E88DF117AEBE6A099B5922A78A1693_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.MathfInternal
struct MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693
{
public:
union
{
struct
{
};
uint8_t MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693__padding[1];
};
public:
};
struct MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields
{
public:
// System.Single modreq(System.Runtime.CompilerServices.IsVolatile) UnityEngineInternal.MathfInternal::FloatMinNormal
float ___FloatMinNormal_0;
// System.Single modreq(System.Runtime.CompilerServices.IsVolatile) UnityEngineInternal.MathfInternal::FloatMinDenormal
float ___FloatMinDenormal_1;
// System.Boolean UnityEngineInternal.MathfInternal::IsFlushToZeroEnabled
bool ___IsFlushToZeroEnabled_2;
public:
inline static int32_t get_offset_of_FloatMinNormal_0() { return static_cast<int32_t>(offsetof(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields, ___FloatMinNormal_0)); }
inline float get_FloatMinNormal_0() const { return ___FloatMinNormal_0; }
inline float* get_address_of_FloatMinNormal_0() { return &___FloatMinNormal_0; }
inline void set_FloatMinNormal_0(float value)
{
___FloatMinNormal_0 = value;
}
inline static int32_t get_offset_of_FloatMinDenormal_1() { return static_cast<int32_t>(offsetof(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields, ___FloatMinDenormal_1)); }
inline float get_FloatMinDenormal_1() const { return ___FloatMinDenormal_1; }
inline float* get_address_of_FloatMinDenormal_1() { return &___FloatMinDenormal_1; }
inline void set_FloatMinDenormal_1(float value)
{
___FloatMinDenormal_1 = value;
}
inline static int32_t get_offset_of_IsFlushToZeroEnabled_2() { return static_cast<int32_t>(offsetof(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields, ___IsFlushToZeroEnabled_2)); }
inline bool get_IsFlushToZeroEnabled_2() const { return ___IsFlushToZeroEnabled_2; }
inline bool* get_address_of_IsFlushToZeroEnabled_2() { return &___IsFlushToZeroEnabled_2; }
inline void set_IsFlushToZeroEnabled_2(bool value)
{
___IsFlushToZeroEnabled_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MATHFINTERNAL_T3E913BDEA2E88DF117AEBE6A099B5922A78A1693_H
#ifndef TYPEINFERENCERULES_TFA03D20477226A95FE644665C3C08A6B6281C333_H
#define TYPEINFERENCERULES_TFA03D20477226A95FE644665C3C08A6B6281C333_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngineInternal.TypeInferenceRules
struct TypeInferenceRules_tFA03D20477226A95FE644665C3C08A6B6281C333
{
public:
// System.Int32 UnityEngineInternal.TypeInferenceRules::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeInferenceRules_tFA03D20477226A95FE644665C3C08A6B6281C333, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TYPEINFERENCERULES_TFA03D20477226A95FE644665C3C08A6B6281C333_H
#ifndef ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#define ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ArgumentNullException
struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#ifndef ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#define ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___m_actualValue_19), 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((&____rangeMessage_18), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#ifndef MULTICASTDELEGATE_T_H
#define MULTICASTDELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___delegates_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
};
#endif // MULTICASTDELEGATE_T_H
#ifndef PARAMETERINFO_T37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_H
#define PARAMETERINFO_T37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.ParameterInfo
struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB : public RuntimeObject
{
public:
// System.Type System.Reflection.ParameterInfo::ClassImpl
Type_t * ___ClassImpl_0;
// System.Object System.Reflection.ParameterInfo::DefaultValueImpl
RuntimeObject * ___DefaultValueImpl_1;
// System.Reflection.MemberInfo System.Reflection.ParameterInfo::MemberImpl
MemberInfo_t * ___MemberImpl_2;
// System.String System.Reflection.ParameterInfo::NameImpl
String_t* ___NameImpl_3;
// System.Int32 System.Reflection.ParameterInfo::PositionImpl
int32_t ___PositionImpl_4;
// System.Reflection.ParameterAttributes System.Reflection.ParameterInfo::AttrsImpl
int32_t ___AttrsImpl_5;
// System.Runtime.InteropServices.MarshalAsAttribute System.Reflection.ParameterInfo::marshalAs
MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 * ___marshalAs_6;
public:
inline static int32_t get_offset_of_ClassImpl_0() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___ClassImpl_0)); }
inline Type_t * get_ClassImpl_0() const { return ___ClassImpl_0; }
inline Type_t ** get_address_of_ClassImpl_0() { return &___ClassImpl_0; }
inline void set_ClassImpl_0(Type_t * value)
{
___ClassImpl_0 = value;
Il2CppCodeGenWriteBarrier((&___ClassImpl_0), value);
}
inline static int32_t get_offset_of_DefaultValueImpl_1() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___DefaultValueImpl_1)); }
inline RuntimeObject * get_DefaultValueImpl_1() const { return ___DefaultValueImpl_1; }
inline RuntimeObject ** get_address_of_DefaultValueImpl_1() { return &___DefaultValueImpl_1; }
inline void set_DefaultValueImpl_1(RuntimeObject * value)
{
___DefaultValueImpl_1 = value;
Il2CppCodeGenWriteBarrier((&___DefaultValueImpl_1), value);
}
inline static int32_t get_offset_of_MemberImpl_2() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___MemberImpl_2)); }
inline MemberInfo_t * get_MemberImpl_2() const { return ___MemberImpl_2; }
inline MemberInfo_t ** get_address_of_MemberImpl_2() { return &___MemberImpl_2; }
inline void set_MemberImpl_2(MemberInfo_t * value)
{
___MemberImpl_2 = value;
Il2CppCodeGenWriteBarrier((&___MemberImpl_2), value);
}
inline static int32_t get_offset_of_NameImpl_3() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___NameImpl_3)); }
inline String_t* get_NameImpl_3() const { return ___NameImpl_3; }
inline String_t** get_address_of_NameImpl_3() { return &___NameImpl_3; }
inline void set_NameImpl_3(String_t* value)
{
___NameImpl_3 = value;
Il2CppCodeGenWriteBarrier((&___NameImpl_3), value);
}
inline static int32_t get_offset_of_PositionImpl_4() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___PositionImpl_4)); }
inline int32_t get_PositionImpl_4() const { return ___PositionImpl_4; }
inline int32_t* get_address_of_PositionImpl_4() { return &___PositionImpl_4; }
inline void set_PositionImpl_4(int32_t value)
{
___PositionImpl_4 = value;
}
inline static int32_t get_offset_of_AttrsImpl_5() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___AttrsImpl_5)); }
inline int32_t get_AttrsImpl_5() const { return ___AttrsImpl_5; }
inline int32_t* get_address_of_AttrsImpl_5() { return &___AttrsImpl_5; }
inline void set_AttrsImpl_5(int32_t value)
{
___AttrsImpl_5 = value;
}
inline static int32_t get_offset_of_marshalAs_6() { return static_cast<int32_t>(offsetof(ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB, ___marshalAs_6)); }
inline MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 * get_marshalAs_6() const { return ___marshalAs_6; }
inline MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 ** get_address_of_marshalAs_6() { return &___marshalAs_6; }
inline void set_marshalAs_6(MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 * value)
{
___marshalAs_6 = value;
Il2CppCodeGenWriteBarrier((&___marshalAs_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.ParameterInfo
struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_pinvoke
{
Type_t * ___ClassImpl_0;
Il2CppIUnknown* ___DefaultValueImpl_1;
MemberInfo_t * ___MemberImpl_2;
char* ___NameImpl_3;
int32_t ___PositionImpl_4;
int32_t ___AttrsImpl_5;
MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 * ___marshalAs_6;
};
// Native definition for COM marshalling of System.Reflection.ParameterInfo
struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_com
{
Type_t * ___ClassImpl_0;
Il2CppIUnknown* ___DefaultValueImpl_1;
MemberInfo_t * ___MemberImpl_2;
Il2CppChar* ___NameImpl_3;
int32_t ___PositionImpl_4;
int32_t ___AttrsImpl_5;
MarshalAsAttribute_t1F5CB9960D7AD6C3305475C98A397BD0B9C64020 * ___marshalAs_6;
};
#endif // PARAMETERINFO_T37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_H
#ifndef STREAMINGCONTEXT_T2CCDC54E0E8D078AF4A50E3A8B921B828A900034_H
#define STREAMINGCONTEXT_T2CCDC54E0E8D078AF4A50E3A8B921B828A900034_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___m_additionalContext_0), 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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// 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;
};
#endif // STREAMINGCONTEXT_T2CCDC54E0E8D078AF4A50E3A8B921B828A900034_H
#ifndef EVENTWAITHANDLE_T7603BF1D3D30FE42DD07A450C8D09E2684DC4D98_H
#define EVENTWAITHANDLE_T7603BF1D3D30FE42DD07A450C8D09E2684DC4D98_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.EventWaitHandle
struct EventWaitHandle_t7603BF1D3D30FE42DD07A450C8D09E2684DC4D98 : public WaitHandle_tFD46B5B45A6BB296EA3A104C91DF2A7C03C10AC6
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EVENTWAITHANDLE_T7603BF1D3D30FE42DD07A450C8D09E2684DC4D98_H
#ifndef TYPE_T_H
#define TYPE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// 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((&___FilterAttribute_0), 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((&___FilterName_1), 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((&___FilterNameIgnoreCase_2), 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((&___Missing_3), 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((&___EmptyTypes_5), 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((&___defaultBinder_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TYPE_T_H
#ifndef COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#define COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifndef GAMEOBJECT_TBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F_H
#define GAMEOBJECT_TBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.GameObject
struct GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GAMEOBJECT_TBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F_H
#ifndef MATERIAL_TF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598_H
#define MATERIAL_TF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Material
struct Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MATERIAL_TF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598_H
#ifndef RENDERTEXTUREDESCRIPTOR_T74FEC57A54F89E11748E1865F7DCA3565BFAF58E_H
#define RENDERTEXTUREDESCRIPTOR_T74FEC57A54F89E11748E1865F7DCA3565BFAF58E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTextureDescriptor
struct RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E
{
public:
// System.Int32 UnityEngine.RenderTextureDescriptor::<width>k__BackingField
int32_t ___U3CwidthU3Ek__BackingField_0;
// System.Int32 UnityEngine.RenderTextureDescriptor::<height>k__BackingField
int32_t ___U3CheightU3Ek__BackingField_1;
// System.Int32 UnityEngine.RenderTextureDescriptor::<msaaSamples>k__BackingField
int32_t ___U3CmsaaSamplesU3Ek__BackingField_2;
// System.Int32 UnityEngine.RenderTextureDescriptor::<volumeDepth>k__BackingField
int32_t ___U3CvolumeDepthU3Ek__BackingField_3;
// UnityEngine.RenderTextureFormat UnityEngine.RenderTextureDescriptor::<colorFormat>k__BackingField
int32_t ___U3CcolorFormatU3Ek__BackingField_4;
// System.Int32 UnityEngine.RenderTextureDescriptor::_depthBufferBits
int32_t ____depthBufferBits_5;
// UnityEngine.Rendering.TextureDimension UnityEngine.RenderTextureDescriptor::<dimension>k__BackingField
int32_t ___U3CdimensionU3Ek__BackingField_7;
// UnityEngine.Rendering.ShadowSamplingMode UnityEngine.RenderTextureDescriptor::<shadowSamplingMode>k__BackingField
int32_t ___U3CshadowSamplingModeU3Ek__BackingField_8;
// UnityEngine.VRTextureUsage UnityEngine.RenderTextureDescriptor::<vrUsage>k__BackingField
int32_t ___U3CvrUsageU3Ek__BackingField_9;
// UnityEngine.RenderTextureCreationFlags UnityEngine.RenderTextureDescriptor::_flags
int32_t ____flags_10;
// UnityEngine.RenderTextureMemoryless UnityEngine.RenderTextureDescriptor::<memoryless>k__BackingField
int32_t ___U3CmemorylessU3Ek__BackingField_11;
public:
inline static int32_t get_offset_of_U3CwidthU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CwidthU3Ek__BackingField_0)); }
inline int32_t get_U3CwidthU3Ek__BackingField_0() const { return ___U3CwidthU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CwidthU3Ek__BackingField_0() { return &___U3CwidthU3Ek__BackingField_0; }
inline void set_U3CwidthU3Ek__BackingField_0(int32_t value)
{
___U3CwidthU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CheightU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CheightU3Ek__BackingField_1)); }
inline int32_t get_U3CheightU3Ek__BackingField_1() const { return ___U3CheightU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CheightU3Ek__BackingField_1() { return &___U3CheightU3Ek__BackingField_1; }
inline void set_U3CheightU3Ek__BackingField_1(int32_t value)
{
___U3CheightU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CmsaaSamplesU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CmsaaSamplesU3Ek__BackingField_2)); }
inline int32_t get_U3CmsaaSamplesU3Ek__BackingField_2() const { return ___U3CmsaaSamplesU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CmsaaSamplesU3Ek__BackingField_2() { return &___U3CmsaaSamplesU3Ek__BackingField_2; }
inline void set_U3CmsaaSamplesU3Ek__BackingField_2(int32_t value)
{
___U3CmsaaSamplesU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CvolumeDepthU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CvolumeDepthU3Ek__BackingField_3)); }
inline int32_t get_U3CvolumeDepthU3Ek__BackingField_3() const { return ___U3CvolumeDepthU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CvolumeDepthU3Ek__BackingField_3() { return &___U3CvolumeDepthU3Ek__BackingField_3; }
inline void set_U3CvolumeDepthU3Ek__BackingField_3(int32_t value)
{
___U3CvolumeDepthU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CcolorFormatU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CcolorFormatU3Ek__BackingField_4)); }
inline int32_t get_U3CcolorFormatU3Ek__BackingField_4() const { return ___U3CcolorFormatU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CcolorFormatU3Ek__BackingField_4() { return &___U3CcolorFormatU3Ek__BackingField_4; }
inline void set_U3CcolorFormatU3Ek__BackingField_4(int32_t value)
{
___U3CcolorFormatU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of__depthBufferBits_5() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ____depthBufferBits_5)); }
inline int32_t get__depthBufferBits_5() const { return ____depthBufferBits_5; }
inline int32_t* get_address_of__depthBufferBits_5() { return &____depthBufferBits_5; }
inline void set__depthBufferBits_5(int32_t value)
{
____depthBufferBits_5 = value;
}
inline static int32_t get_offset_of_U3CdimensionU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CdimensionU3Ek__BackingField_7)); }
inline int32_t get_U3CdimensionU3Ek__BackingField_7() const { return ___U3CdimensionU3Ek__BackingField_7; }
inline int32_t* get_address_of_U3CdimensionU3Ek__BackingField_7() { return &___U3CdimensionU3Ek__BackingField_7; }
inline void set_U3CdimensionU3Ek__BackingField_7(int32_t value)
{
___U3CdimensionU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CshadowSamplingModeU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CshadowSamplingModeU3Ek__BackingField_8)); }
inline int32_t get_U3CshadowSamplingModeU3Ek__BackingField_8() const { return ___U3CshadowSamplingModeU3Ek__BackingField_8; }
inline int32_t* get_address_of_U3CshadowSamplingModeU3Ek__BackingField_8() { return &___U3CshadowSamplingModeU3Ek__BackingField_8; }
inline void set_U3CshadowSamplingModeU3Ek__BackingField_8(int32_t value)
{
___U3CshadowSamplingModeU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CvrUsageU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CvrUsageU3Ek__BackingField_9)); }
inline int32_t get_U3CvrUsageU3Ek__BackingField_9() const { return ___U3CvrUsageU3Ek__BackingField_9; }
inline int32_t* get_address_of_U3CvrUsageU3Ek__BackingField_9() { return &___U3CvrUsageU3Ek__BackingField_9; }
inline void set_U3CvrUsageU3Ek__BackingField_9(int32_t value)
{
___U3CvrUsageU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of__flags_10() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ____flags_10)); }
inline int32_t get__flags_10() const { return ____flags_10; }
inline int32_t* get_address_of__flags_10() { return &____flags_10; }
inline void set__flags_10(int32_t value)
{
____flags_10 = value;
}
inline static int32_t get_offset_of_U3CmemorylessU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E, ___U3CmemorylessU3Ek__BackingField_11)); }
inline int32_t get_U3CmemorylessU3Ek__BackingField_11() const { return ___U3CmemorylessU3Ek__BackingField_11; }
inline int32_t* get_address_of_U3CmemorylessU3Ek__BackingField_11() { return &___U3CmemorylessU3Ek__BackingField_11; }
inline void set_U3CmemorylessU3Ek__BackingField_11(int32_t value)
{
___U3CmemorylessU3Ek__BackingField_11 = value;
}
};
struct RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_StaticFields
{
public:
// System.Int32[] UnityEngine.RenderTextureDescriptor::depthFormatBits
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___depthFormatBits_6;
public:
inline static int32_t get_offset_of_depthFormatBits_6() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_StaticFields, ___depthFormatBits_6)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_depthFormatBits_6() const { return ___depthFormatBits_6; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_depthFormatBits_6() { return &___depthFormatBits_6; }
inline void set_depthFormatBits_6(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___depthFormatBits_6 = value;
Il2CppCodeGenWriteBarrier((&___depthFormatBits_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTUREDESCRIPTOR_T74FEC57A54F89E11748E1865F7DCA3565BFAF58E_H
#ifndef RESOURCEREQUEST_T22744D420D4DEF7C924A01EB117C0FEC6B07D486_H
#define RESOURCEREQUEST_T22744D420D4DEF7C924A01EB117C0FEC6B07D486_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ResourceRequest
struct ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486 : public AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D
{
public:
// System.String UnityEngine.ResourceRequest::m_Path
String_t* ___m_Path_2;
// System.Type UnityEngine.ResourceRequest::m_Type
Type_t * ___m_Type_3;
public:
inline static int32_t get_offset_of_m_Path_2() { return static_cast<int32_t>(offsetof(ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486, ___m_Path_2)); }
inline String_t* get_m_Path_2() const { return ___m_Path_2; }
inline String_t** get_address_of_m_Path_2() { return &___m_Path_2; }
inline void set_m_Path_2(String_t* value)
{
___m_Path_2 = value;
Il2CppCodeGenWriteBarrier((&___m_Path_2), value);
}
inline static int32_t get_offset_of_m_Type_3() { return static_cast<int32_t>(offsetof(ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486, ___m_Type_3)); }
inline Type_t * get_m_Type_3() const { return ___m_Type_3; }
inline Type_t ** get_address_of_m_Type_3() { return &___m_Type_3; }
inline void set_m_Type_3(Type_t * value)
{
___m_Type_3 = value;
Il2CppCodeGenWriteBarrier((&___m_Type_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.ResourceRequest
struct ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_pinvoke : public AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D_marshaled_pinvoke
{
char* ___m_Path_2;
Type_t * ___m_Type_3;
};
// Native definition for COM marshalling of UnityEngine.ResourceRequest
struct ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_com : public AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D_marshaled_com
{
Il2CppChar* ___m_Path_2;
Type_t * ___m_Type_3;
};
#endif // RESOURCEREQUEST_T22744D420D4DEF7C924A01EB117C0FEC6B07D486_H
#ifndef RUNTIMEINITIALIZEONLOADMETHODATTRIBUTE_T885895E16D3B9209752951C406B870126AA69D70_H
#define RUNTIMEINITIALIZEONLOADMETHODATTRIBUTE_T885895E16D3B9209752951C406B870126AA69D70_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RuntimeInitializeOnLoadMethodAttribute
struct RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70 : public PreserveAttribute_t864F9DAA4DBF2524206AD57CE51AEB955702AA3F
{
public:
// UnityEngine.RuntimeInitializeLoadType UnityEngine.RuntimeInitializeOnLoadMethodAttribute::<loadType>k__BackingField
int32_t ___U3CloadTypeU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CloadTypeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70, ___U3CloadTypeU3Ek__BackingField_0)); }
inline int32_t get_U3CloadTypeU3Ek__BackingField_0() const { return ___U3CloadTypeU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CloadTypeU3Ek__BackingField_0() { return &___U3CloadTypeU3Ek__BackingField_0; }
inline void set_U3CloadTypeU3Ek__BackingField_0(int32_t value)
{
___U3CloadTypeU3Ek__BackingField_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEINITIALIZEONLOADMETHODATTRIBUTE_T885895E16D3B9209752951C406B870126AA69D70_H
#ifndef LOADSCENEPARAMETERS_TCB2FF5227064DFE794C8EAB65AEAD61838A5760A_H
#define LOADSCENEPARAMETERS_TCB2FF5227064DFE794C8EAB65AEAD61838A5760A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SceneManagement.LoadSceneParameters
struct LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A
{
public:
// UnityEngine.SceneManagement.LoadSceneMode UnityEngine.SceneManagement.LoadSceneParameters::m_LoadSceneMode
int32_t ___m_LoadSceneMode_0;
// UnityEngine.SceneManagement.LocalPhysicsMode UnityEngine.SceneManagement.LoadSceneParameters::m_LocalPhysicsMode
int32_t ___m_LocalPhysicsMode_1;
public:
inline static int32_t get_offset_of_m_LoadSceneMode_0() { return static_cast<int32_t>(offsetof(LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A, ___m_LoadSceneMode_0)); }
inline int32_t get_m_LoadSceneMode_0() const { return ___m_LoadSceneMode_0; }
inline int32_t* get_address_of_m_LoadSceneMode_0() { return &___m_LoadSceneMode_0; }
inline void set_m_LoadSceneMode_0(int32_t value)
{
___m_LoadSceneMode_0 = value;
}
inline static int32_t get_offset_of_m_LocalPhysicsMode_1() { return static_cast<int32_t>(offsetof(LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A, ___m_LocalPhysicsMode_1)); }
inline int32_t get_m_LocalPhysicsMode_1() const { return ___m_LocalPhysicsMode_1; }
inline int32_t* get_address_of_m_LocalPhysicsMode_1() { return &___m_LocalPhysicsMode_1; }
inline void set_m_LocalPhysicsMode_1(int32_t value)
{
___m_LocalPhysicsMode_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LOADSCENEPARAMETERS_TCB2FF5227064DFE794C8EAB65AEAD61838A5760A_H
#ifndef SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#define SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
};
#endif // SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifndef SHADER_TE2731FF351B74AB4186897484FB01E000C1160CA_H
#define SHADER_TE2731FF351B74AB4186897484FB01E000C1160CA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Shader
struct Shader_tE2731FF351B74AB4186897484FB01E000C1160CA : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SHADER_TE2731FF351B74AB4186897484FB01E000C1160CA_H
#ifndef SPRITE_TCA09498D612D08DE668653AF1E9C12BF53434198_H
#define SPRITE_TCA09498D612D08DE668653AF1E9C12BF53434198_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Sprite
struct Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPRITE_TCA09498D612D08DE668653AF1E9C12BF53434198_H
#ifndef TEXTURE_T387FE83BB848001FD06B14707AEA6D5A0F6A95F4_H
#define TEXTURE_T387FE83BB848001FD06B14707AEA6D5A0F6A95F4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Texture
struct Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTURE_T387FE83BB848001FD06B14707AEA6D5A0F6A95F4_H
#ifndef TOUCH_T806752C775BA713A91B6588A07CA98417CABC003_H
#define TOUCH_T806752C775BA713A91B6588A07CA98417CABC003_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Touch
struct Touch_t806752C775BA713A91B6588A07CA98417CABC003
{
public:
// System.Int32 UnityEngine.Touch::m_FingerId
int32_t ___m_FingerId_0;
// UnityEngine.Vector2 UnityEngine.Touch::m_Position
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___m_Position_1;
// UnityEngine.Vector2 UnityEngine.Touch::m_RawPosition
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___m_RawPosition_2;
// UnityEngine.Vector2 UnityEngine.Touch::m_PositionDelta
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___m_PositionDelta_3;
// System.Single UnityEngine.Touch::m_TimeDelta
float ___m_TimeDelta_4;
// System.Int32 UnityEngine.Touch::m_TapCount
int32_t ___m_TapCount_5;
// UnityEngine.TouchPhase UnityEngine.Touch::m_Phase
int32_t ___m_Phase_6;
// UnityEngine.TouchType UnityEngine.Touch::m_Type
int32_t ___m_Type_7;
// System.Single UnityEngine.Touch::m_Pressure
float ___m_Pressure_8;
// System.Single UnityEngine.Touch::m_maximumPossiblePressure
float ___m_maximumPossiblePressure_9;
// System.Single UnityEngine.Touch::m_Radius
float ___m_Radius_10;
// System.Single UnityEngine.Touch::m_RadiusVariance
float ___m_RadiusVariance_11;
// System.Single UnityEngine.Touch::m_AltitudeAngle
float ___m_AltitudeAngle_12;
// System.Single UnityEngine.Touch::m_AzimuthAngle
float ___m_AzimuthAngle_13;
public:
inline static int32_t get_offset_of_m_FingerId_0() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_FingerId_0)); }
inline int32_t get_m_FingerId_0() const { return ___m_FingerId_0; }
inline int32_t* get_address_of_m_FingerId_0() { return &___m_FingerId_0; }
inline void set_m_FingerId_0(int32_t value)
{
___m_FingerId_0 = value;
}
inline static int32_t get_offset_of_m_Position_1() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_Position_1)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_m_Position_1() const { return ___m_Position_1; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_m_Position_1() { return &___m_Position_1; }
inline void set_m_Position_1(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___m_Position_1 = value;
}
inline static int32_t get_offset_of_m_RawPosition_2() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_RawPosition_2)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_m_RawPosition_2() const { return ___m_RawPosition_2; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_m_RawPosition_2() { return &___m_RawPosition_2; }
inline void set_m_RawPosition_2(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___m_RawPosition_2 = value;
}
inline static int32_t get_offset_of_m_PositionDelta_3() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_PositionDelta_3)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_m_PositionDelta_3() const { return ___m_PositionDelta_3; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_m_PositionDelta_3() { return &___m_PositionDelta_3; }
inline void set_m_PositionDelta_3(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___m_PositionDelta_3 = value;
}
inline static int32_t get_offset_of_m_TimeDelta_4() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_TimeDelta_4)); }
inline float get_m_TimeDelta_4() const { return ___m_TimeDelta_4; }
inline float* get_address_of_m_TimeDelta_4() { return &___m_TimeDelta_4; }
inline void set_m_TimeDelta_4(float value)
{
___m_TimeDelta_4 = value;
}
inline static int32_t get_offset_of_m_TapCount_5() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_TapCount_5)); }
inline int32_t get_m_TapCount_5() const { return ___m_TapCount_5; }
inline int32_t* get_address_of_m_TapCount_5() { return &___m_TapCount_5; }
inline void set_m_TapCount_5(int32_t value)
{
___m_TapCount_5 = value;
}
inline static int32_t get_offset_of_m_Phase_6() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_Phase_6)); }
inline int32_t get_m_Phase_6() const { return ___m_Phase_6; }
inline int32_t* get_address_of_m_Phase_6() { return &___m_Phase_6; }
inline void set_m_Phase_6(int32_t value)
{
___m_Phase_6 = value;
}
inline static int32_t get_offset_of_m_Type_7() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_Type_7)); }
inline int32_t get_m_Type_7() const { return ___m_Type_7; }
inline int32_t* get_address_of_m_Type_7() { return &___m_Type_7; }
inline void set_m_Type_7(int32_t value)
{
___m_Type_7 = value;
}
inline static int32_t get_offset_of_m_Pressure_8() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_Pressure_8)); }
inline float get_m_Pressure_8() const { return ___m_Pressure_8; }
inline float* get_address_of_m_Pressure_8() { return &___m_Pressure_8; }
inline void set_m_Pressure_8(float value)
{
___m_Pressure_8 = value;
}
inline static int32_t get_offset_of_m_maximumPossiblePressure_9() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_maximumPossiblePressure_9)); }
inline float get_m_maximumPossiblePressure_9() const { return ___m_maximumPossiblePressure_9; }
inline float* get_address_of_m_maximumPossiblePressure_9() { return &___m_maximumPossiblePressure_9; }
inline void set_m_maximumPossiblePressure_9(float value)
{
___m_maximumPossiblePressure_9 = value;
}
inline static int32_t get_offset_of_m_Radius_10() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_Radius_10)); }
inline float get_m_Radius_10() const { return ___m_Radius_10; }
inline float* get_address_of_m_Radius_10() { return &___m_Radius_10; }
inline void set_m_Radius_10(float value)
{
___m_Radius_10 = value;
}
inline static int32_t get_offset_of_m_RadiusVariance_11() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_RadiusVariance_11)); }
inline float get_m_RadiusVariance_11() const { return ___m_RadiusVariance_11; }
inline float* get_address_of_m_RadiusVariance_11() { return &___m_RadiusVariance_11; }
inline void set_m_RadiusVariance_11(float value)
{
___m_RadiusVariance_11 = value;
}
inline static int32_t get_offset_of_m_AltitudeAngle_12() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_AltitudeAngle_12)); }
inline float get_m_AltitudeAngle_12() const { return ___m_AltitudeAngle_12; }
inline float* get_address_of_m_AltitudeAngle_12() { return &___m_AltitudeAngle_12; }
inline void set_m_AltitudeAngle_12(float value)
{
___m_AltitudeAngle_12 = value;
}
inline static int32_t get_offset_of_m_AzimuthAngle_13() { return static_cast<int32_t>(offsetof(Touch_t806752C775BA713A91B6588A07CA98417CABC003, ___m_AzimuthAngle_13)); }
inline float get_m_AzimuthAngle_13() const { return ___m_AzimuthAngle_13; }
inline float* get_address_of_m_AzimuthAngle_13() { return &___m_AzimuthAngle_13; }
inline void set_m_AzimuthAngle_13(float value)
{
___m_AzimuthAngle_13 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCH_T806752C775BA713A91B6588A07CA98417CABC003_H
#ifndef TOUCHSCREENKEYBOARD_T2A69F85698E9780470181532D3F2BC903623FD90_H
#define TOUCHSCREENKEYBOARD_T2A69F85698E9780470181532D3F2BC903623FD90_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchScreenKeyboard
struct TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.TouchScreenKeyboard::m_Ptr
intptr_t ___m_Ptr_0;
// System.Boolean UnityEngine.TouchScreenKeyboard::<canGetSelection>k__BackingField
bool ___U3CcanGetSelectionU3Ek__BackingField_1;
// System.Boolean UnityEngine.TouchScreenKeyboard::<canSetSelection>k__BackingField
bool ___U3CcanSetSelectionU3Ek__BackingField_2;
// UnityEngine.TouchScreenKeyboardType UnityEngine.TouchScreenKeyboard::<type>k__BackingField
int32_t ___U3CtypeU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
inline static int32_t get_offset_of_U3CcanGetSelectionU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90, ___U3CcanGetSelectionU3Ek__BackingField_1)); }
inline bool get_U3CcanGetSelectionU3Ek__BackingField_1() const { return ___U3CcanGetSelectionU3Ek__BackingField_1; }
inline bool* get_address_of_U3CcanGetSelectionU3Ek__BackingField_1() { return &___U3CcanGetSelectionU3Ek__BackingField_1; }
inline void set_U3CcanGetSelectionU3Ek__BackingField_1(bool value)
{
___U3CcanGetSelectionU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CcanSetSelectionU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90, ___U3CcanSetSelectionU3Ek__BackingField_2)); }
inline bool get_U3CcanSetSelectionU3Ek__BackingField_2() const { return ___U3CcanSetSelectionU3Ek__BackingField_2; }
inline bool* get_address_of_U3CcanSetSelectionU3Ek__BackingField_2() { return &___U3CcanSetSelectionU3Ek__BackingField_2; }
inline void set_U3CcanSetSelectionU3Ek__BackingField_2(bool value)
{
___U3CcanSetSelectionU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CtypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90, ___U3CtypeU3Ek__BackingField_3)); }
inline int32_t get_U3CtypeU3Ek__BackingField_3() const { return ___U3CtypeU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CtypeU3Ek__BackingField_3() { return &___U3CtypeU3Ek__BackingField_3; }
inline void set_U3CtypeU3Ek__BackingField_3(int32_t value)
{
___U3CtypeU3Ek__BackingField_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TOUCHSCREENKEYBOARD_T2A69F85698E9780470181532D3F2BC903623FD90_H
#ifndef SPRITEATLAS_T3CCE7E93E25959957EF61B2A875FEF42DAD8537A_H
#define SPRITEATLAS_T3CCE7E93E25959957EF61B2A875FEF42DAD8537A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.U2D.SpriteAtlas
struct SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPRITEATLAS_T3CCE7E93E25959957EF61B2A875FEF42DAD8537A_H
#ifndef ACTION_1_TCBF754C290FAE894631BED8FD56E9E22C4C187F9_H
#define ACTION_1_TCBF754C290FAE894631BED8FD56E9E22C4C187F9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action`1<UnityEngine.AsyncOperation>
struct Action_1_tCBF754C290FAE894631BED8FD56E9E22C4C187F9 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_1_TCBF754C290FAE894631BED8FD56E9E22C4C187F9_H
#ifndef ACTION_1_T72B039F88BDD04A9A013812982859354EDA03D63_H
#define ACTION_1_T72B039F88BDD04A9A013812982859354EDA03D63_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action`1<UnityEngine.Cubemap>
struct Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_1_T72B039F88BDD04A9A013812982859354EDA03D63_H
#ifndef ACTION_1_T148D4FE58B48D51DD45913A7B6EAA61E30D4B285_H
#define ACTION_1_T148D4FE58B48D51DD45913A7B6EAA61E30D4B285_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action`1<UnityEngine.U2D.SpriteAtlas>
struct Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_1_T148D4FE58B48D51DD45913A7B6EAA61E30D4B285_H
#ifndef ACTION_2_T93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4_H
#define ACTION_2_T93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>>
struct Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_2_T93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4_H
#ifndef ACTION_2_TAD3FD2CFE6F2B8404049F867BD190C4B64593314_H
#define ACTION_2_TAD3FD2CFE6F2B8404049F867BD190C4B64593314_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe_ReflectionProbeEvent>
struct Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_2_TAD3FD2CFE6F2B8404049F867BD190C4B64593314_H
#ifndef ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#define ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.AsyncCallback
struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#ifndef MANUALRESETEVENT_TDFAF117B200ECA4CCF4FD09593F949A016D55408_H
#define MANUALRESETEVENT_TDFAF117B200ECA4CCF4FD09593F949A016D55408_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.ManualResetEvent
struct ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 : public EventWaitHandle_t7603BF1D3D30FE42DD07A450C8D09E2684DC4D98
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MANUALRESETEVENT_TDFAF117B200ECA4CCF4FD09593F949A016D55408_H
#ifndef SENDORPOSTCALLBACK_T3F9C0164860E4AA5138DF8B4488DFB0D33147F01_H
#define SENDORPOSTCALLBACK_T3F9C0164860E4AA5138DF8B4488DFB0D33147F01_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.SendOrPostCallback
struct SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SENDORPOSTCALLBACK_T3F9C0164860E4AA5138DF8B4488DFB0D33147F01_H
#ifndef UNHANDLEDEXCEPTIONEVENTHANDLER_TB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE_H
#define UNHANDLEDEXCEPTIONEVENTHANDLER_TB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.UnhandledExceptionEventHandler
struct UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNHANDLEDEXCEPTIONEVENTHANDLER_TB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE_H
#ifndef BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#define BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Behaviour
struct Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8 : public Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifndef CUBEMAP_TBFAC336F35E8D7499397F07A41505BD98F4491AF_H
#define CUBEMAP_TBFAC336F35E8D7499397F07A41505BD98F4491AF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Cubemap
struct Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF : public Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CUBEMAP_TBFAC336F35E8D7499397F07A41505BD98F4491AF_H
#ifndef UNITYACTION_1_T95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384_H
#define UNITYACTION_1_T95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>
struct UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYACTION_1_T95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384_H
#ifndef UNITYACTION_2_T34FACA3D608984EE7CF1EE51BBFA450D2DB62305_H
#define UNITYACTION_2_T34FACA3D608984EE7CF1EE51BBFA450D2DB62305_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>
struct UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYACTION_2_T34FACA3D608984EE7CF1EE51BBFA450D2DB62305_H
#ifndef UNITYACTION_2_T6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F_H
#define UNITYACTION_2_T6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>
struct UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UNITYACTION_2_T6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F_H
#ifndef REAPPLYDRIVENPROPERTIES_T431F4FBD9C59AE097FE33C4354CC6251B01B527D_H
#define REAPPLYDRIVENPROPERTIES_T431F4FBD9C59AE097FE33C4354CC6251B01B527D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RectTransform_ReapplyDrivenProperties
struct ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // REAPPLYDRIVENPROPERTIES_T431F4FBD9C59AE097FE33C4354CC6251B01B527D_H
#ifndef RENDERTEXTURE_TBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6_H
#define RENDERTEXTURE_TBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RenderTexture
struct RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 : public Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERTEXTURE_TBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6_H
#ifndef RENDERER_T0556D67DD582620D1F495627EDE30D03284151F4_H
#define RENDERER_T0556D67DD582620D1F495627EDE30D03284151F4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Renderer
struct Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 : public Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RENDERER_T0556D67DD582620D1F495627EDE30D03284151F4_H
#ifndef TEXTURE2D_TBBF96AC337723E2EF156DF17E09D4379FD05DE1C_H
#define TEXTURE2D_TBBF96AC337723E2EF156DF17E09D4379FD05DE1C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Texture2D
struct Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C : public Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTURE2D_TBBF96AC337723E2EF156DF17E09D4379FD05DE1C_H
#ifndef TEXTURE2DARRAY_T78E2A31569610CAD1EA2115AD121B771C4E454B8_H
#define TEXTURE2DARRAY_T78E2A31569610CAD1EA2115AD121B771C4E454B8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Texture2DArray
struct Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 : public Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTURE2DARRAY_T78E2A31569610CAD1EA2115AD121B771C4E454B8_H
#ifndef TEXTURE3D_T041D3C554E80910E92D1EAAA85E0F70655FD66B4_H
#define TEXTURE3D_T041D3C554E80910E92D1EAAA85E0F70655FD66B4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Texture3D
struct Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 : public Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TEXTURE3D_T041D3C554E80910E92D1EAAA85E0F70655FD66B4_H
#ifndef TRANSFORM_TBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA_H
#define TRANSFORM_TBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Transform
struct Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA : public Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TRANSFORM_TBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA_H
#ifndef CAMERA_T48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_H
#define CAMERA_T48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Camera
struct Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
struct Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_StaticFields
{
public:
// UnityEngine.Camera_CameraCallback UnityEngine.Camera::onPreCull
CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * ___onPreCull_4;
// UnityEngine.Camera_CameraCallback UnityEngine.Camera::onPreRender
CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * ___onPreRender_5;
// UnityEngine.Camera_CameraCallback UnityEngine.Camera::onPostRender
CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * ___onPostRender_6;
public:
inline static int32_t get_offset_of_onPreCull_4() { return static_cast<int32_t>(offsetof(Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_StaticFields, ___onPreCull_4)); }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * get_onPreCull_4() const { return ___onPreCull_4; }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 ** get_address_of_onPreCull_4() { return &___onPreCull_4; }
inline void set_onPreCull_4(CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * value)
{
___onPreCull_4 = value;
Il2CppCodeGenWriteBarrier((&___onPreCull_4), value);
}
inline static int32_t get_offset_of_onPreRender_5() { return static_cast<int32_t>(offsetof(Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_StaticFields, ___onPreRender_5)); }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * get_onPreRender_5() const { return ___onPreRender_5; }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 ** get_address_of_onPreRender_5() { return &___onPreRender_5; }
inline void set_onPreRender_5(CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * value)
{
___onPreRender_5 = value;
Il2CppCodeGenWriteBarrier((&___onPreRender_5), value);
}
inline static int32_t get_offset_of_onPostRender_6() { return static_cast<int32_t>(offsetof(Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_StaticFields, ___onPostRender_6)); }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * get_onPostRender_6() const { return ___onPostRender_6; }
inline CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 ** get_address_of_onPostRender_6() { return &___onPostRender_6; }
inline void set_onPostRender_6(CameraCallback_t8BBB42AA08D7498DFC11F4128117055BC7F0B9D0 * value)
{
___onPostRender_6 = value;
Il2CppCodeGenWriteBarrier((&___onPostRender_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CAMERA_T48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34_H
#ifndef GUIELEMENT_T7509096A8399BAB91367BBDD2F90EB2BACB1C4C4_H
#define GUIELEMENT_T7509096A8399BAB91367BBDD2F90EB2BACB1C4C4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.GUIElement
struct GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GUIELEMENT_T7509096A8399BAB91367BBDD2F90EB2BACB1C4C4_H
#ifndef GUILAYER_TB8A4E9CCC2977F6691AEBB96DE1C13681634063D_H
#define GUILAYER_TB8A4E9CCC2977F6691AEBB96DE1C13681634063D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.GUILayer
struct GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GUILAYER_TB8A4E9CCC2977F6691AEBB96DE1C13681634063D_H
#ifndef RECTTRANSFORM_T285CBD8775B25174B75164F10618F8B9728E1B20_H
#define RECTTRANSFORM_T285CBD8775B25174B75164F10618F8B9728E1B20_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.RectTransform
struct RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 : public Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA
{
public:
public:
};
struct RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields
{
public:
// UnityEngine.RectTransform_ReapplyDrivenProperties UnityEngine.RectTransform::reapplyDrivenProperties
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * ___reapplyDrivenProperties_4;
public:
inline static int32_t get_offset_of_reapplyDrivenProperties_4() { return static_cast<int32_t>(offsetof(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields, ___reapplyDrivenProperties_4)); }
inline ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * get_reapplyDrivenProperties_4() const { return ___reapplyDrivenProperties_4; }
inline ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D ** get_address_of_reapplyDrivenProperties_4() { return &___reapplyDrivenProperties_4; }
inline void set_reapplyDrivenProperties_4(ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * value)
{
___reapplyDrivenProperties_4 = value;
Il2CppCodeGenWriteBarrier((&___reapplyDrivenProperties_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RECTTRANSFORM_T285CBD8775B25174B75164F10618F8B9728E1B20_H
#ifndef REFLECTIONPROBE_T8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_H
#define REFLECTIONPROBE_T8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ReflectionProbe
struct ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
struct ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_StaticFields
{
public:
// System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe_ReflectionProbeEvent> UnityEngine.ReflectionProbe::reflectionProbeChanged
Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * ___reflectionProbeChanged_4;
// System.Action`1<UnityEngine.Cubemap> UnityEngine.ReflectionProbe::defaultReflectionSet
Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * ___defaultReflectionSet_5;
public:
inline static int32_t get_offset_of_reflectionProbeChanged_4() { return static_cast<int32_t>(offsetof(ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_StaticFields, ___reflectionProbeChanged_4)); }
inline Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * get_reflectionProbeChanged_4() const { return ___reflectionProbeChanged_4; }
inline Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 ** get_address_of_reflectionProbeChanged_4() { return &___reflectionProbeChanged_4; }
inline void set_reflectionProbeChanged_4(Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * value)
{
___reflectionProbeChanged_4 = value;
Il2CppCodeGenWriteBarrier((&___reflectionProbeChanged_4), value);
}
inline static int32_t get_offset_of_defaultReflectionSet_5() { return static_cast<int32_t>(offsetof(ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_StaticFields, ___defaultReflectionSet_5)); }
inline Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * get_defaultReflectionSet_5() const { return ___defaultReflectionSet_5; }
inline Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 ** get_address_of_defaultReflectionSet_5() { return &___defaultReflectionSet_5; }
inline void set_defaultReflectionSet_5(Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * value)
{
___defaultReflectionSet_5 = value;
Il2CppCodeGenWriteBarrier((&___defaultReflectionSet_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // REFLECTIONPROBE_T8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_H
#ifndef SPRITERENDERER_TCD51E875611195DBB91123B68434881D3441BC6F_H
#define SPRITERENDERER_TCD51E875611195DBB91123B68434881D3441BC6F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SpriteRenderer
struct SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F : public Renderer_t0556D67DD582620D1F495627EDE30D03284151F4
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPRITERENDERER_TCD51E875611195DBB91123B68434881D3441BC6F_H
// UnityEngine.Vector3[]
struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 m_Items[1];
public:
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * 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, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
m_Items[index] = 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(m_Items + index, 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(m_Items + index, value);
}
};
// System.Int32[]
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83 : public RuntimeArray
{
public:
ALIGN_FIELD (8) int32_t m_Items[1];
public:
inline int32_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline int32_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, int32_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline int32_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline int32_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, int32_t value)
{
m_Items[index] = value;
}
};
// System.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(m_Items + index, 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(m_Items + index, value);
}
};
// UnityEngine.Camera[]
struct CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * m_Items[1];
public:
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 ** 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, Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 ** GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * value)
{
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
};
// UnityEngine.SendMouseEvents_HitInfo[]
struct HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745 : public RuntimeArray
{
public:
ALIGN_FIELD (8) HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 m_Items[1];
public:
inline HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * 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, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 value)
{
m_Items[index] = value;
}
};
// UnityEngine.Display[]
struct DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * m_Items[1];
public:
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 ** 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, Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 ** GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * value)
{
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
};
// System.Reflection.ParameterModifier[]
struct ParameterModifierU5BU5D_t63EC46F14F048DC9EF6BF1362E8AEBEA1A05A5EA : public RuntimeArray
{
public:
ALIGN_FIELD (8) ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E m_Items[1];
public:
inline ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E * 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, ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E 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(m_Items + index, 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(m_Items + index, value);
}
};
// UnityEngine.Vector2[]
struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Vector2_tA85D2DD88578276CA8A8796756458277E72D073D m_Items[1];
public:
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * 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, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
m_Items[index] = value;
}
};
// System.UInt16[]
struct UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E : public RuntimeArray
{
public:
ALIGN_FIELD (8) uint16_t m_Items[1];
public:
inline uint16_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline uint16_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, uint16_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline uint16_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline uint16_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, uint16_t value)
{
m_Items[index] = value;
}
};
// System.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.Reflection.ParameterInfo[]
struct ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694 : public RuntimeArray
{
public:
ALIGN_FIELD (8) ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * m_Items[1];
public:
inline ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB ** 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, ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
inline ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB ** GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * value)
{
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
};
// System.Byte[]
struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821 : public RuntimeArray
{
public:
ALIGN_FIELD (8) uint8_t m_Items[1];
public:
inline uint8_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline uint8_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, uint8_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline uint8_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline uint8_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, uint8_t value)
{
m_Items[index] = value;
}
};
// System.Void System.Action`2<System.Object,System.Int32Enum>::Invoke(!0,!1)
extern "C" IL2CPP_METHOD_ATTR void Action_2_Invoke_m99868E8D293BF895026CEE7BD216A5AD7480826D_gshared (Action_2_t4A92D51BAC0CF291CCBECDD41B622EDAE4E77D9F * __this, RuntimeObject * p0, int32_t p1, const RuntimeMethod* method);
// System.Void System.Action`1<System.Object>::Invoke(!0)
extern "C" IL2CPP_METHOD_ATTR void Action_1_Invoke_mB86FC1B303E77C41ED0E94FC3592A9CF8DA571D5_gshared (Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * __this, RuntimeObject * p0, const RuntimeMethod* method);
// System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,System.Int32Enum>::Invoke(T0,T1)
extern "C" IL2CPP_METHOD_ATTR void UnityAction_2_Invoke_mADF341B796508D58BEDF95CC8C087F2827F5105D_gshared (UnityAction_2_t77680359D738D69E578F3A74D50CD3FA8D775A60 * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, int32_t p1, const RuntimeMethod* method);
// System.Void UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>::Invoke(T0)
extern "C" IL2CPP_METHOD_ATTR void UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2_gshared (UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, const RuntimeMethod* method);
// System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>::Invoke(T0,T1)
extern "C" IL2CPP_METHOD_ATTR void UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99_gshared (UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p1, const RuntimeMethod* method);
// T UnityEngine.Component::GetComponent<System.Object>()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Component_GetComponent_TisRuntimeObject_m3FED1FF44F93EF1C3A07526800331B638EF4105B_gshared (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method);
// System.Void System.Action`1<System.Object>::.ctor(System.Object,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Action_1__ctor_mAFC7442D9D3CEC6701C3C5599F8CF12476095510_gshared (Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * __this, RuntimeObject * p0, intptr_t p1, const RuntimeMethod* method);
// System.Void System.Action`2<System.Object,System.Object>::Invoke(!0,!1)
extern "C" IL2CPP_METHOD_ATTR void Action_2_Invoke_m1738FFAE74BE5E599FD42520FA2BEF69D1AC4709_gshared (Action_2_t0DB6FD6F515527EAB552B690A291778C6F00D48C * __this, RuntimeObject * p0, RuntimeObject * p1, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::.ctor(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_gshared (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, int32_t p0, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Add(!0)
extern "C" IL2CPP_METHOD_ATTR void List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6_gshared (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 p0, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::AddRange(System.Collections.Generic.IEnumerable`1<!0>)
extern "C" IL2CPP_METHOD_ATTR void List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C_gshared (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, RuntimeObject* p0, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Clear()
extern "C" IL2CPP_METHOD_ATTR void List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A_gshared (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, const RuntimeMethod* method);
// System.Collections.Generic.List`1/Enumerator<!0> System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::GetEnumerator()
extern "C" IL2CPP_METHOD_ATTR Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57_gshared (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, const RuntimeMethod* method);
// !0 System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::get_Current()
extern "C" IL2CPP_METHOD_ATTR WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D_gshared (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method);
// System.Boolean System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::MoveNext()
extern "C" IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510_gshared (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::Dispose()
extern "C" IL2CPP_METHOD_ATTR void Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35_gshared (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method);
// System.Delegate System.Delegate::Combine(System.Delegate,System.Delegate)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * Delegate_Combine_mC25D2F7DECAFBA6D9A2F9EBA8A77063F0658ECF1 (Delegate_t * p0, Delegate_t * p1, const RuntimeMethod* method);
// System.Delegate System.Delegate::Remove(System.Delegate,System.Delegate)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * Delegate_Remove_m0B0DB7D1B3AF96B71AFAA72BA0EFE32FBBC2932D (Delegate_t * p0, Delegate_t * p1, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_rect_Injected(UnityEngine.Rect&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_anchorMin_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchorMin_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_anchorMax_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchorMax_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_anchoredPosition_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchoredPosition_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_sizeDelta_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_sizeDelta_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::get_pivot_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_pivot_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchoredPosition()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::get_sizeDelta()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::get_pivot()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Vector2::Scale(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Vector2::op_Subtraction(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_sizeDelta(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Vector2::get_one()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED (const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Vector2::op_Addition(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchoredPosition(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchoredPosition_m4DD45DB1A97734A1F3A81E5F259638ECAF35962F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.Debug::LogError(System.Object)
extern "C" IL2CPP_METHOD_ATTR void Debug_LogError_m3BCF9B78263152261565DCA9DB7D55F0C391ED29 (RuntimeObject * ___message0, const RuntimeMethod* method);
// UnityEngine.Rect UnityEngine.RectTransform::get_rect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE RectTransform_get_rect_mE5F283FCB99A66403AC1F0607CA49C156D73A15E (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Rect::get_x()
extern "C" IL2CPP_METHOD_ATTR float Rect_get_x_mC51A461F546D14832EB96B11A7198DADDE2597B7 (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Rect::get_y()
extern "C" IL2CPP_METHOD_ATTR float Rect_get_y_m53E3E4F62D9840FBEA751A66293038F1F5D1D45C (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Rect::get_xMax()
extern "C" IL2CPP_METHOD_ATTR float Rect_get_xMax_mA16D7C3C2F30F8608719073ED79028C11CE90983 (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Rect::get_yMax()
extern "C" IL2CPP_METHOD_ATTR float Rect_get_yMax_m8AA5E92C322AF3FF571330F00579DA864F33341B (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Vector3::.ctor(System.Single,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, float ___x0, float ___y1, float ___z2, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::GetLocalCorners(UnityEngine.Vector3[])
extern "C" IL2CPP_METHOD_ATTR void RectTransform_GetLocalCorners_m8761EA5FFE1F36041809D10D8AD7BC40CF06A520 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___fourCornersArray0, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Component::get_transform()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Component_get_transform_m00F05BD782F920C301A7EBA480F3B7A904C07EC9 (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method);
// UnityEngine.Matrix4x4 UnityEngine.Transform::get_localToWorldMatrix()
extern "C" IL2CPP_METHOD_ATTR Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA Transform_get_localToWorldMatrix_mBC86B8C7BA6F53DAB8E0120D77729166399A0EED (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Matrix4x4::MultiplyPoint(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Matrix4x4_MultiplyPoint_mD5D082585C5B3564A5EFC90A3C5CAFFE47E45B65 (Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___point0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMin()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchorMin_mB62D77CAC5A2A086320638AE7DF08135B7028744 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Vector2::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchorMin(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMin_mE965F5B0902C2554635010A5752728414A57020A (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMax()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchorMax_m1E51C211FBB32326C884375C9F1E8E8221E5C086 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform::set_anchorMax(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMax_m55EEF00D9E42FE542B5346D7CEDAF9248736F7D3 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method);
// System.Single UnityEngine.Vector2::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, int32_t ___index0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.RectTransform::GetParentSize()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_GetParentSize_mFD24CC863A4D7DFBFFE23C982E9A11E9B010D25D (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.RectTransform/ReapplyDrivenProperties::Invoke(UnityEngine.RectTransform)
extern "C" IL2CPP_METHOD_ATTR void ReapplyDrivenProperties_Invoke_m37F24671E6F3C60B3D0C7E0CE234B8E125D5928A (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * __this, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * ___driven0, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::get_parent()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_get_parent_m8FA24E38A1FA29D90CBF3CDC9F9F017C65BB3403 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Object::op_Implicit(UnityEngine.Object)
extern "C" IL2CPP_METHOD_ATTR bool Object_op_Implicit_m8B2A44B4B1406ED346D1AE6D962294FD58D0D534 (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___exists0, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Vector2::get_zero()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_zero_mFE0C3213BB698130D6C5247AB4B887A59074D0A8 (const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Rect::get_size()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Rect_get_size_m731642B8F03F6CE372A2C9E2E4A925450630606C (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, const RuntimeMethod* method);
// System.Void System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe/ReflectionProbeEvent>::Invoke(!0,!1)
inline void Action_2_Invoke_mA6D34CA6EB25D5F388A922026B9DFF9B098D022B (Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * __this, ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C * p0, int32_t p1, const RuntimeMethod* method)
{
(( void (*) (Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 *, ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C *, int32_t, const RuntimeMethod*))Action_2_Invoke_m99868E8D293BF895026CEE7BD216A5AD7480826D_gshared)(__this, p0, p1, method);
}
// System.Void System.Action`1<UnityEngine.Cubemap>::Invoke(!0)
inline void Action_1_Invoke_mBE4AA470D3BDABBC78FED7766EA8923E86E7D764 (Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * __this, Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF * p0, const RuntimeMethod* method)
{
(( void (*) (Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 *, Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF *, const RuntimeMethod*))Action_1_Invoke_mB86FC1B303E77C41ED0E94FC3592A9CF8DA571D5_gshared)(__this, p0, method);
}
// System.Void UnityEngine.Texture::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::ValidateRenderTextureDesc(UnityEngine.RenderTextureDescriptor)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E ___desc0, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::Internal_Create(UnityEngine.RenderTexture)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * ___rt0, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::SetRenderTextureDescriptor(UnityEngine.RenderTextureDescriptor)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetRenderTextureDescriptor_mF584353E0834F202C955EAC6499CBD0C6A571527 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E ___desc0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Object::op_Equality(UnityEngine.Object,UnityEngine.Object)
extern "C" IL2CPP_METHOD_ATTR bool Object_op_Equality_mBC2401774F3BE33E8CF6F0A8148E66C95D6CFF1C (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___x0, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___y1, const RuntimeMethod* method);
// System.Void System.ArgumentNullException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * __this, String_t* p0, const RuntimeMethod* method);
// UnityEngine.RenderTextureDescriptor UnityEngine.RenderTexture::get_descriptor()
extern "C" IL2CPP_METHOD_ATTR RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E RenderTexture_get_descriptor_m67E7BCFA6A50634F6E3863E2F5BA1D4923E4DD00 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.FormatUsage)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, int32_t ___usage1, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::set_depth(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method);
// UnityEngine.RenderTextureFormat UnityEngine.Experimental.Rendering.GraphicsFormatUtility::GetRenderTextureFormat(UnityEngine.Experimental.Rendering.GraphicsFormat)
extern "C" IL2CPP_METHOD_ATTR int32_t GraphicsFormatUtility_GetRenderTextureFormat_m4A8B97E7A7BD031B38EE1C5DA0C93B0F65016468 (int32_t ___format0, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::set_format(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Experimental.Rendering.GraphicsFormatUtility::IsSRGBFormat(UnityEngine.Experimental.Rendering.GraphicsFormat)
extern "C" IL2CPP_METHOD_ATTR bool GraphicsFormatUtility_IsSRGBFormat_mBF49E7451A3960BD67B1F13745BCA3AC5C8AC66E (int32_t ___format0, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::SetSRGBReadWrite(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, bool ___srgb0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_m12332BF76D9B5BBFFCE74D855928AEA01984DF6C (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, const RuntimeMethod* method);
// UnityEngine.ColorSpace UnityEngine.QualitySettings::get_activeColorSpace()
extern "C" IL2CPP_METHOD_ATTR int32_t QualitySettings_get_activeColorSpace_m13DBB3B679AA5D5CEA05C2B4517A1FDE1B2CF9B0 (const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.RenderTextureFormat,UnityEngine.RenderTextureReadWrite)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_m32060CA5A5C306C485DB6AF9B9050B2FF2AB3A4C (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, int32_t ___readWrite4, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::SetRenderTextureDescriptor_Injected(UnityEngine.RenderTextureDescriptor&)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * ___desc0, const RuntimeMethod* method);
// System.Void UnityEngine.RenderTexture::GetDescriptor_Injected(UnityEngine.RenderTextureDescriptor&)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * ___ret0, const RuntimeMethod* method);
// UnityEngine.RenderTextureDescriptor UnityEngine.RenderTexture::GetDescriptor()
extern "C" IL2CPP_METHOD_ATTR RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E RenderTexture_GetDescriptor_mBDAE7C44038663205A31293B7C4C5AE763CD1128 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.RenderTextureDescriptor::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_width_m225FBFD7C33BD02D6879A93F1D57997BC251F3F5 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method);
// System.Void System.ArgumentException::.ctor(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* p0, String_t* p1, const RuntimeMethod* method);
// System.Int32 UnityEngine.RenderTextureDescriptor::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_height_m947A620B3D28090A57A5DC0D6A126CBBF818B97F (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.RenderTextureDescriptor::get_volumeDepth()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_volumeDepth_mBC82F4621E4158E3D2F2457487D1C220AA782AC6 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.RenderTextureDescriptor::get_msaaSamples()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.RenderTextureDescriptor::get_depthBufferBits()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method);
// UnityEngine.Material UnityEngine.Renderer::GetMaterial()
extern "C" IL2CPP_METHOD_ATTR Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, const RuntimeMethod* method);
// System.Void System.Attribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0 (Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 * __this, const RuntimeMethod* method);
// System.String UnityEngine.UnityString::Format(System.String,System.Object[])
extern "C" IL2CPP_METHOD_ATTR String_t* UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387 (String_t* p0, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* p1, const RuntimeMethod* method);
// System.String UnityEngine.Resolution::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04 (Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Scripting.PreserveAttribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void PreserveAttribute__ctor_mD842EE86496947B39FE0FBC67393CE4401AC53AA (PreserveAttribute_t864F9DAA4DBF2524206AD57CE51AEB955702AA3F * __this, const RuntimeMethod* method);
// System.Void UnityEngine.RuntimeInitializeOnLoadMethodAttribute::set_loadType(UnityEngine.RuntimeInitializeLoadType)
extern "C" IL2CPP_METHOD_ATTR void RuntimeInitializeOnLoadMethodAttribute_set_loadType_m99C91FFBB561C344A90B86F6AF9ED8642CB87532 (RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70 * __this, int32_t ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.SceneManagement.LoadSceneParameters::.ctor(UnityEngine.SceneManagement.LoadSceneMode)
extern "C" IL2CPP_METHOD_ATTR void LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A (LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A * __this, int32_t ___mode0, const RuntimeMethod* method);
// System.Int32 UnityEngine.SceneManagement.Scene::get_handle()
extern "C" IL2CPP_METHOD_ATTR int32_t Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.SceneManagement.Scene::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Scene_GetHashCode_m65BBB604A5496CF1F2C129860F45D0E437499E34 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.SceneManagement.Scene::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, RuntimeObject * ___other0, const RuntimeMethod* method);
// System.Void UnityEngine.SceneManagement.SceneManager::GetSceneAt_Injected(System.Int32,UnityEngine.SceneManagement.Scene&)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148 (int32_t ___index0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * ___ret1, const RuntimeMethod* method);
// UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal_Injected(System.String,System.Int32,UnityEngine.SceneManagement.LoadSceneParameters&,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1 (String_t* ___sceneName0, int32_t ___sceneBuildIndex1, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A * ___parameters2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method);
// UnityEngine.SceneManagement.Scene UnityEngine.SceneManagement.SceneManager::LoadScene(System.String,UnityEngine.SceneManagement.LoadSceneParameters)
extern "C" IL2CPP_METHOD_ATTR Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 SceneManager_LoadScene_m4641E278E1E9A1690A46900F1787B6F1070188CF (String_t* ___sceneName0, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A ___parameters1, const RuntimeMethod* method);
// UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal(System.String,System.Int32,UnityEngine.SceneManagement.LoadSceneParameters,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * SceneManager_LoadSceneAsyncNameIndexInternal_m542937B4FCCE8B1AAC326E1E1F9060ECEDCB6159 (String_t* ___sceneName0, int32_t ___sceneBuildIndex1, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A ___parameters2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method);
// System.Int32 UnityEngine.SceneManagement.SceneManager::get_sceneCount()
extern "C" IL2CPP_METHOD_ATTR int32_t SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84 (const RuntimeMethod* method);
// UnityEngine.SceneManagement.Scene UnityEngine.SceneManagement.SceneManager::GetSceneAt(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 SceneManager_GetSceneAt_m2D4105040A31A5A42E79A4E617028E84FC357C8A (int32_t ___index0, const RuntimeMethod* method);
// System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>::Invoke(T0,T1)
inline void UnityAction_2_Invoke_m3F07731E46F777E93F9D08DD46CEB7BDE625238A (UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, int32_t p1, const RuntimeMethod* method)
{
(( void (*) (UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 *, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 , int32_t, const RuntimeMethod*))UnityAction_2_Invoke_mADF341B796508D58BEDF95CC8C087F2827F5105D_gshared)(__this, p0, p1, method);
}
// System.Void UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>::Invoke(T0)
inline void UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2 (UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, const RuntimeMethod* method)
{
(( void (*) (UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 *, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 , const RuntimeMethod*))UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2_gshared)(__this, p0, method);
}
// System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>::Invoke(T0,T1)
inline void UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99 (UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * __this, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 p1, const RuntimeMethod* method)
{
(( void (*) (UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F *, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 , Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 , const RuntimeMethod*))UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99_gshared)(__this, p0, p1, method);
}
// System.Void UnityEngine.Object::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Object__ctor_m091EBAEBC7919B0391ABDAFB7389ADC12206525B (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.ScriptableObject::CreateScriptableObject(UnityEngine.ScriptableObject)
extern "C" IL2CPP_METHOD_ATTR void ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B (ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ___self0, const RuntimeMethod* method);
// UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateScriptableObjectInstanceFromType(System.Type)
extern "C" IL2CPP_METHOD_ATTR ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696 (Type_t * ___type0, const RuntimeMethod* method);
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::.ctor(System.String,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute__ctor_mDA989E5C278F39B0045F3BCA5153BB2A40BAD52A (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, String_t* ___sourceNamespace0, bool ___isInDifferentAssembly1, const RuntimeMethod* method);
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_Namespace(System.String)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute_set_Namespace_m4A1CFA5322A807FBFA70CE7A209DF7E7F3093089 (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, String_t* ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_IsInDifferentAssembly(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute_set_IsInDifferentAssembly_m6A7A22FAD0547328CABA2D949D1E61E0D2822E0D (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, bool ___value0, const RuntimeMethod* method);
// T UnityEngine.Component::GetComponent<UnityEngine.GUILayer>()
inline GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * Component_GetComponent_TisGUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D_m450D3F26D5288FD7AEBE9AB2C9763BB2C1A45BB6 (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method)
{
return (( GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * (*) (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 *, const RuntimeMethod*))Component_GetComponent_TisRuntimeObject_m3FED1FF44F93EF1C3A07526800331B638EF4105B_gshared)(__this, method);
}
// UnityEngine.GUIElement UnityEngine.GUILayer::HitTest(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 * GUILayer_HitTest_mD44413399C4E2DE830CBF4BECBE42BA2AB8FE350 (GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___screenPosition0, const RuntimeMethod* method);
// UnityEngine.GameObject UnityEngine.Component::get_gameObject()
extern "C" IL2CPP_METHOD_ATTR GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * Component_get_gameObject_m0B0570BA8DDD3CD78A9DB568EA18D7317686603C (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Input::get_mousePosition()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Input_get_mousePosition_mC8B181E5125330ECFB9F8C5D94AA8F4AD1ABD10C (const RuntimeMethod* method);
// System.Int32 UnityEngine.Camera::get_allCamerasCount()
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_get_allCamerasCount_mF6CDC46D6F61B1F1A0337A9AD7DFA485E408E6A1 (const RuntimeMethod* method);
// System.Int32 UnityEngine.Camera::GetAllCameras(UnityEngine.Camera[])
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_GetAllCameras_m500A4F27E7BE1C259E9EAA0AEBB1E1B35893059C (CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* ___cameras0, const RuntimeMethod* method);
// UnityEngine.RenderTexture UnityEngine.Camera::get_targetTexture()
extern "C" IL2CPP_METHOD_ATTR RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * Camera_get_targetTexture_m1E776560FAC888D8210D49CEE310BB39D34A3FDC (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Object::op_Inequality(UnityEngine.Object,UnityEngine.Object)
extern "C" IL2CPP_METHOD_ATTR bool Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1 (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___x0, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___y1, const RuntimeMethod* method);
// System.Int32 UnityEngine.Camera::get_targetDisplay()
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_get_targetDisplay_m2C318D2EB9A016FEC76B13F7F7AE382F443FB731 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Display::RelativeMouseAt(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Display_RelativeMouseAt_mABDA4BAC2C1B328A2C6A205D552AA5488BFFAA93 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___inputMouseCoordinates0, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::get_zero()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2 (const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector3::op_Inequality(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_op_Inequality_mFEEAA4C4BF743FB5B8A47FF4967A5E2C73273D6E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method);
// System.Int32 UnityEngine.Screen::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3 (const RuntimeMethod* method);
// System.Int32 UnityEngine.Screen::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150 (const RuntimeMethod* method);
// System.Int32 UnityEngine.Display::get_systemWidth()
extern "C" IL2CPP_METHOD_ATTR int32_t Display_get_systemWidth_mA14AF2D3B017CF4BA2C2990DC2398E528AF83413 (Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.Display::get_systemHeight()
extern "C" IL2CPP_METHOD_ATTR int32_t Display_get_systemHeight_m0D7950CB39015167C175634EF8A5E0C52FBF5EC7 (Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Vector2::.ctor(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, float ___x0, float ___y1, const RuntimeMethod* method);
// UnityEngine.Rect UnityEngine.Camera::get_pixelRect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Camera_get_pixelRect_mBA87D6C23FD7A5E1A7F3CE0E8F9B86A9318B5317 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Rect::Contains(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Rect_Contains_m5072228CE6251E7C754F227BA330F9ADA95C1495 (Rect_t35B976DE901B5423C11705E156938EA27AB402CE * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___point0, const RuntimeMethod* method);
// System.Void UnityEngine.SendMouseEvents::HitTestLegacyGUI(UnityEngine.Camera,UnityEngine.Vector3,UnityEngine.SendMouseEvents/HitInfo&)
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_HitTestLegacyGUI_mF845548CB3F7DD7C32AEA6AEB9E4EAD9F1A01CF8 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___mousePosition1, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * ___hitInfo2, const RuntimeMethod* method);
// System.Int32 UnityEngine.Camera::get_eventMask()
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_get_eventMask_m1D85900090AF34244340C69B53A42CDE5E9669D3 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// UnityEngine.Ray UnityEngine.Camera::ScreenPointToRay(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 Camera_ScreenPointToRay_m27638E78502DB6D6D7113F81AF7C210773B828F3 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___pos0, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Ray::get_direction()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Ray_get_direction_m9E6468CD87844B437FC4B93491E63D388322F76E (Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Mathf::Approximately(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR bool Mathf_Approximately_m91AF00403E0D2DEA1AAE68601AD218CFAD70DF7E (float ___a0, float ___b1, const RuntimeMethod* method);
// System.Single UnityEngine.Camera::get_farClipPlane()
extern "C" IL2CPP_METHOD_ATTR float Camera_get_farClipPlane_mF51F1FF5BE87719CFAC293E272B1138DC1EFFD4B (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Camera::get_nearClipPlane()
extern "C" IL2CPP_METHOD_ATTR float Camera_get_nearClipPlane_mD9D3E3D27186BBAC2CC354CE3609E6118A5BF66C (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.Camera::get_cullingMask()
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_get_cullingMask_m0992E96D87A4221E38746EBD882780CEFF7C2BCD (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// UnityEngine.GameObject UnityEngine.Camera::RaycastTry(UnityEngine.Ray,System.Single,System.Int32)
extern "C" IL2CPP_METHOD_ATTR GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * Camera_RaycastTry_m7D27141875E309214FED1E3F1D0E3DE580183C0A (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 ___ray0, float ___distance1, int32_t ___layerMask2, const RuntimeMethod* method);
// UnityEngine.CameraClearFlags UnityEngine.Camera::get_clearFlags()
extern "C" IL2CPP_METHOD_ATTR int32_t Camera_get_clearFlags_m1D02BA1ABD7310269F6121C58AF41DCDEF1E0266 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, const RuntimeMethod* method);
// UnityEngine.GameObject UnityEngine.Camera::RaycastTry2D(UnityEngine.Ray,System.Single,System.Int32)
extern "C" IL2CPP_METHOD_ATTR GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * Camera_RaycastTry2D_m5C5FE62B732A123048EBFA3241BBBEC7BA409C0F (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * __this, Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 ___ray0, float ___distance1, int32_t ___layerMask2, const RuntimeMethod* method);
// System.Void UnityEngine.SendMouseEvents::SendEvents(System.Int32,UnityEngine.SendMouseEvents/HitInfo)
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_SendEvents_m3F67C7E75B3AACADA92D562C631D432D273276DB (int32_t ___i0, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___hit1, const RuntimeMethod* method);
// System.Boolean UnityEngine.Input::GetMouseButtonDown(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bool Input_GetMouseButtonDown_mBC5947EA49ED797F0DB1830BFC13AF6514B765FD (int32_t ___button0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Input::GetMouseButton(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bool Input_GetMouseButton_mFA83B0C0BABD3113D1AAB38FBB953C91EA7FFA30 (int32_t ___button0, const RuntimeMethod* method);
// System.Boolean UnityEngine.SendMouseEvents/HitInfo::op_Implicit(UnityEngine.SendMouseEvents/HitInfo)
extern "C" IL2CPP_METHOD_ATTR bool HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___exists0, const RuntimeMethod* method);
// System.Void UnityEngine.SendMouseEvents/HitInfo::SendMessage(System.String)
extern "C" IL2CPP_METHOD_ATTR void HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * __this, String_t* ___name0, const RuntimeMethod* method);
// System.Boolean UnityEngine.SendMouseEvents/HitInfo::Compare(UnityEngine.SendMouseEvents/HitInfo,UnityEngine.SendMouseEvents/HitInfo)
extern "C" IL2CPP_METHOD_ATTR bool HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___lhs0, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___rhs1, const RuntimeMethod* method);
// System.Void UnityEngine.GameObject::SendMessage(System.String,System.Object,UnityEngine.SendMessageOptions)
extern "C" IL2CPP_METHOD_ATTR void GameObject_SendMessage_mB9147E503F1F55C4F3BC2816C0BDA8C21EA22E95 (GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * __this, String_t* ___methodName0, RuntimeObject * ___value1, int32_t ___options2, const RuntimeMethod* method);
// System.Boolean System.IntPtr::op_Equality(System.IntPtr,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR bool IntPtr_op_Equality_mEE8D9FD2DFE312BBAA8B4ED3BF7976B3142A5934 (intptr_t p0, intptr_t p1, const RuntimeMethod* method);
// System.Void* System.IntPtr::op_Explicit(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void* IntPtr_op_Explicit_mB8A512095BCE1A23B2840310C8A27C928ADAD027 (intptr_t p0, const RuntimeMethod* method);
// System.Type System.Object::GetType()
extern "C" IL2CPP_METHOD_ATTR Type_t * Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60 (RuntimeObject * __this, const RuntimeMethod* method);
// System.Void UnityEngine.PropertyAttribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void PropertyAttribute__ctor_m7F5C473F39D5601486C1127DA0D52F2DC293FC35 (PropertyAttribute_t25BFFC093C9C96E3CCF4EAB36F5DC6F937B1FA54 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::GetTextureRect_Injected(UnityEngine.Rect&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::GetInnerUVs_Injected(UnityEngine.Vector4&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::GetOuterUVs_Injected(UnityEngine.Vector4&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::GetPadding_Injected(UnityEngine.Vector4&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::get_bounds_Injected(UnityEngine.Bounds&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::get_rect_Injected(UnityEngine.Rect&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::get_border_Injected(UnityEngine.Vector4&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Sprite::get_pivot_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Int32 UnityEngine.Sprite::GetPacked()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.Sprite::GetPackingMode()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Sprite::get_packed()
extern "C" IL2CPP_METHOD_ATTR bool Sprite_get_packed_m501A9E7D2C44867665FB579FD1A8C5D397C872C3 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// UnityEngine.SpritePackingMode UnityEngine.Sprite::get_packingMode()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_get_packingMode_m1B5AA0F5476DAEADFF14F65E99944B54940D869F (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// UnityEngine.Rect UnityEngine.Rect::get_zero()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Rect_get_zero_m4CF0F9AD904132829A6EFCA85A1BF52794E7E56B (const RuntimeMethod* method);
// UnityEngine.Rect UnityEngine.Sprite::GetTextureRect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Sprite_GetTextureRect_mE506ABF33181E32E82B75479EE4A0910350B1BF9 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.SpriteRenderer::get_color_Injected(UnityEngine.Color&)
extern "C" IL2CPP_METHOD_ATTR void SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.SpriteRenderer::set_color_Injected(UnityEngine.Color&)
extern "C" IL2CPP_METHOD_ATTR void SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___value0, const RuntimeMethod* method);
// UnityEngine.Vector4 UnityEngine.Sprite::GetInnerUVs()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetInnerUVs_m273E051E7DF38ED3D6077781D75A1C1019CABA25 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// UnityEngine.Vector4 UnityEngine.Sprite::GetOuterUVs()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetOuterUVs_mD78E47470B4D8AD231F194E256136B0094ECEBC5 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// UnityEngine.Vector4 UnityEngine.Sprite::GetPadding()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetPadding_m5781452D40FAE3B7D0CE78BF8808637FBFE78105 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// UnityEngine.Vector4 UnityEngine.Sprite::get_border()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method);
// System.Boolean System.String::IsNullOrEmpty(System.String)
extern "C" IL2CPP_METHOD_ATTR bool String_IsNullOrEmpty_m06A85A206AC2106D1982826C5665B9BD35324229 (String_t* p0, const RuntimeMethod* method);
// System.String System.String::Replace(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470 (String_t* __this, String_t* p0, String_t* p1, const RuntimeMethod* method);
// System.Void System.Diagnostics.StackTrace::.ctor(System.Int32,System.Boolean)
extern "C" IL2CPP_NO_INLINE IL2CPP_METHOD_ATTR void StackTrace__ctor_mC06D6ED2D5E080D5B9D31E7B595D8A7F0675F504 (StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * __this, int32_t p0, bool p1, const RuntimeMethod* method);
// System.String UnityEngine.StackTraceUtility::ExtractFormattedStackTrace(System.Diagnostics.StackTrace)
extern "C" IL2CPP_METHOD_ATTR String_t* StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660 (StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * ___stackTrace0, const RuntimeMethod* method);
// System.Boolean System.String::StartsWith(System.String)
extern "C" IL2CPP_METHOD_ATTR bool String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1 (String_t* __this, String_t* p0, const RuntimeMethod* method);
// System.Void System.ArgumentException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* p0, const RuntimeMethod* method);
// System.Int32 System.String::get_Length()
extern "C" IL2CPP_METHOD_ATTR int32_t String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018 (String_t* __this, const RuntimeMethod* method);
// System.Void System.Text.StringBuilder::.ctor(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void StringBuilder__ctor_m1C0F2D97B838537A2D0F64033AE4EF02D150A956 (StringBuilder_t * __this, int32_t p0, const RuntimeMethod* method);
// System.String System.String::Concat(System.String,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Concat_mF4626905368D6558695A823466A1AF65EADB9923 (String_t* p0, String_t* p1, String_t* p2, const RuntimeMethod* method);
// System.Type System.Exception::GetType()
extern "C" IL2CPP_METHOD_ATTR Type_t * Exception_GetType_mA3390B9D538D5FAC3802D9D8A2FCAC31465130F3 (Exception_t * __this, const RuntimeMethod* method);
// System.String System.String::Trim()
extern "C" IL2CPP_METHOD_ATTR String_t* String_Trim_mB52EB7876C7132358B76B7DC95DEACA20722EF4D (String_t* __this, const RuntimeMethod* method);
// System.String System.String::Concat(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Concat_mB78D0094592718DA6D5DB6C712A9C225631666BE (String_t* p0, String_t* p1, const RuntimeMethod* method);
// System.Exception System.Exception::get_InnerException()
extern "C" IL2CPP_METHOD_ATTR Exception_t * Exception_get_InnerException_mCB68CC8CBF2540EF381CB17A4E4E3F6D0E33453F (Exception_t * __this, const RuntimeMethod* method);
// System.String System.String::Concat(System.String,System.String,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Concat_mDD2E38332DED3A8C088D38D78A0E0BEB5091DA64 (String_t* p0, String_t* p1, String_t* p2, String_t* p3, const RuntimeMethod* method);
// System.Text.StringBuilder System.Text.StringBuilder::Append(System.String)
extern "C" IL2CPP_METHOD_ATTR StringBuilder_t * StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260 (StringBuilder_t * __this, String_t* p0, const RuntimeMethod* method);
// System.String[] System.String::Split(System.Char[])
extern "C" IL2CPP_METHOD_ATTR StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* String_Split_m13262358217AD2C119FD1B9733C3C0289D608512 (String_t* __this, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* p0, const RuntimeMethod* method);
// System.Char System.String::get_Chars(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Il2CppChar String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96 (String_t* __this, int32_t p0, const RuntimeMethod* method);
// System.Boolean UnityEngine.StackTraceUtility::IsSystemStacktraceType(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357 (RuntimeObject * ___name0, const RuntimeMethod* method);
// System.Int32 System.String::IndexOf(System.String)
extern "C" IL2CPP_METHOD_ATTR int32_t String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B (String_t* __this, String_t* p0, const RuntimeMethod* method);
// System.String System.String::Substring(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Substring_mB593C0A320C683E6E47EFFC0A12B7A465E5E43BB (String_t* __this, int32_t p0, int32_t p1, const RuntimeMethod* method);
// System.Boolean System.String::EndsWith(System.String)
extern "C" IL2CPP_METHOD_ATTR bool String_EndsWith_mE4F039DCC2A9FCB8C1ED2D04B00A35E3CE16DE99 (String_t* __this, String_t* p0, const RuntimeMethod* method);
// System.String System.String::Remove(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Remove_m54FD37F2B9CA7DBFE440B0CB8503640A2CFF00FF (String_t* __this, int32_t p0, int32_t p1, const RuntimeMethod* method);
// System.Int32 System.String::IndexOf(System.String,System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t String_IndexOf_m9285F4AFCAD971E6AFB6F0212B415989CB3DACA5 (String_t* __this, String_t* p0, int32_t p1, const RuntimeMethod* method);
// System.String System.String::Replace(System.Char,System.Char)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Replace_m276641366A463205C185A9B3DC0E24ECB95122C9 (String_t* __this, Il2CppChar p0, Il2CppChar p1, const RuntimeMethod* method);
// System.Int32 System.String::LastIndexOf(System.String)
extern "C" IL2CPP_METHOD_ATTR int32_t String_LastIndexOf_mC924D20DC71F85A7106D9DD09BF41497C6816E20 (String_t* __this, String_t* p0, const RuntimeMethod* method);
// System.String System.String::Insert(System.Int32,System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Insert_m2525FE6F79C96A359A588C8FA764419EBD811749 (String_t* __this, int32_t p0, String_t* p1, const RuntimeMethod* method);
// System.Boolean System.String::op_Equality(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR bool String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE (String_t* p0, String_t* p1, const RuntimeMethod* method);
// System.String System.Int32::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Int32_ToString_m1863896DE712BF97C031D55B12E1583F1982DC02 (int32_t* __this, const RuntimeMethod* method);
// UnityEngine.OperatingSystemFamily UnityEngine.SystemInfo::GetOperatingSystemFamily()
extern "C" IL2CPP_METHOD_ATTR int32_t SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93 (const RuntimeMethod* method);
// System.Boolean System.Enum::IsDefined(System.Type,System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Enum_IsDefined_mA573B15329CA2AA7C59367D514D2927FC66217E2 (Type_t * p0, RuntimeObject * p1, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::IsValidEnumValue(System.Enum)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740 (Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * ___value0, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::HasRenderTextureNative(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468 (int32_t ___format0, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::SupportsTextureFormatNative(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210 (int32_t ___format0, const RuntimeMethod* method);
// System.Int32 UnityEngine.Texture::GetDataWidth()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method);
// System.Void System.NotImplementedException::.ctor()
extern "C" IL2CPP_METHOD_ATTR void NotImplementedException__ctor_m8BEA657E260FC05F0C6D2C43A6E9BC08040F59C4 (NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 * __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.Texture::GetDataHeight()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Texture::get_texelSize_Injected(UnityEngine.Vector2&)
extern "C" IL2CPP_METHOD_ATTR void Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::SupportsRenderTextureFormat(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907 (int32_t ___format0, const RuntimeMethod* method);
// System.String System.String::Format(System.String,System.Object)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Format_m0ACDD8B34764E4040AED0B3EEB753567E4576BFA (String_t* p0, RuntimeObject * p1, const RuntimeMethod* method);
// System.Void UnityEngine.Debug::LogError(System.Object,UnityEngine.Object)
extern "C" IL2CPP_METHOD_ATTR void Debug_LogError_m97139CB2EE76D5CD8308C1AD0499A5F163FC7F51 (RuntimeObject * ___message0, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___context1, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::SupportsTextureFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79 (int32_t ___format0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Experimental.Rendering.GraphicsFormatUtility::IsCompressedTextureFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool GraphicsFormatUtility_IsCompressedTextureFormat_m456D7B059F25F7378E05E3346CB1670517A46C71 (int32_t ___format0, const RuntimeMethod* method);
// System.Void UnityEngine.Debug::LogWarning(System.Object,UnityEngine.Object)
extern "C" IL2CPP_METHOD_ATTR void Debug_LogWarning_mD417697331190AC1D21C463F412C475103A7256E (RuntimeObject * ___message0, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___context1, const RuntimeMethod* method);
// System.Boolean UnityEngine.SystemInfo::IsFormatSupported(UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.FormatUsage)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6 (int32_t ___format0, int32_t ___usage1, const RuntimeMethod* method);
// System.String System.String::Format(System.String,System.Object,System.Object)
extern "C" IL2CPP_METHOD_ATTR String_t* String_Format_m19325298DBC61AAC016C16F7B3CF97A8A3DEA34A (String_t* p0, RuntimeObject * p1, RuntimeObject * p2, const RuntimeMethod* method);
// System.String UnityEngine.Object::get_name()
extern "C" IL2CPP_METHOD_ATTR String_t* Object_get_name_mA2D400141CB3C991C87A2556429781DE961A83CE (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.UnityException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9 (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * __this, String_t* ___message0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1 (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, const RuntimeMethod* method);
// UnityEngine.Experimental.Rendering.GraphicsFormat UnityEngine.Experimental.Rendering.GraphicsFormatUtility::GetGraphicsFormat(UnityEngine.TextureFormat,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR int32_t GraphicsFormatUtility_GetGraphicsFormat_mBA4E395B8A78B67B0969356DE19F6F1E73D284E0 (int32_t ___format0, bool ___isSRGB1, const RuntimeMethod* method);
// System.Boolean UnityEngine.Experimental.Rendering.GraphicsFormatUtility::IsCrunchFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool GraphicsFormatUtility_IsCrunchFormat_m97E8A6551AAEE6B1E4E92F92167FC97CC7D73DB1 (int32_t ___format0, const RuntimeMethod* method);
// System.Void UnityEngine.Texture2D::Internal_Create(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___format3, int32_t ___flags4, intptr_t ___nativeTex5, const RuntimeMethod* method);
// System.Void UnityEngine.Texture2D::.ctor(System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Texture2D__ctor_m185B87D9FE6E39A890C667FCAA8A15A0D93AFCA6 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___width0, int32_t ___height1, int32_t ___textureFormat2, bool ___mipChain3, bool ___linear4, intptr_t ___nativeTex5, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture2D::Internal_CreateImpl(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR bool Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___format3, int32_t ___flags4, intptr_t ___nativeTex5, const RuntimeMethod* method);
// System.Void UnityEngine.Texture2D::GetPixelBilinearImpl_Injected(System.Int32,System.Single,System.Single,UnityEngine.Color&)
extern "C" IL2CPP_METHOD_ATTR void Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___image0, float ___x1, float ___y2, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___ret3, const RuntimeMethod* method);
// UnityEngine.UnityException UnityEngine.Texture::CreateNonReadableException(UnityEngine.Texture)
extern "C" IL2CPP_METHOD_ATTR UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * Texture_CreateNonReadableException_m66E69BE853119A5A9FE2C27EA788B62BF7CFE34D (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * ___t0, const RuntimeMethod* method);
// UnityEngine.Color UnityEngine.Texture2D::GetPixelBilinearImpl(System.Int32,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 Texture2D_GetPixelBilinearImpl_m950AB40E4151F10B6AA6C5759903BA07348114FB (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___image0, float ___x1, float ___y2, const RuntimeMethod* method);
// System.Void UnityEngine.Texture2DArray::Internal_Create(UnityEngine.Texture2DArray,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method);
// System.Void UnityEngine.Texture2DArray::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray__ctor_mEDE73B65A89EACA4B487FFBA92B155ED5B09970F (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___textureFormat3, bool ___mipChain4, bool ___linear5, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture2DArray::Internal_CreateImpl(UnityEngine.Texture2DArray,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR bool Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method);
// System.Void UnityEngine.Texture3D::Internal_Create(UnityEngine.Texture3D,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method);
// System.Boolean UnityEngine.Texture3D::Internal_CreateImpl(UnityEngine.Texture3D,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR bool Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method);
// System.Int32 UnityEngine.Touch::get_fingerId()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_fingerId_mB67BC98260E26816F875277BE9BC2A5037AF62A7 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method);
// UnityEngine.Vector2 UnityEngine.Touch::get_position()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Touch_get_position_mC0913727A83103C5E2B56A5D76AB8F911A79D1E9 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method);
// UnityEngine.TouchPhase UnityEngine.Touch::get_phase()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_phase_m667014ED67F37A6EB459FB904D2041E270995419 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method);
// UnityEngine.TouchType UnityEngine.Touch::get_type()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_type_m24677B3E265C31B31BF4C55CF874272D28EB0AEC (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method);
// System.Void System.Object::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0 (RuntimeObject * __this, const RuntimeMethod* method);
// System.UInt32 System.Convert::ToUInt32(System.Object)
extern "C" IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m5CD74B1562CFEE536D3E9A9A89CEC1CB38CED427 (RuntimeObject * p0, const RuntimeMethod* method);
// System.UInt32 System.Convert::ToUInt32(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR uint32_t Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED (bool p0, const RuntimeMethod* method);
// System.IntPtr UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments&,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR intptr_t TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973 (TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 * ___arguments0, String_t* ___text1, String_t* ___textPlaceholder2, const RuntimeMethod* method);
// System.Boolean System.IntPtr::op_Inequality(System.IntPtr,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR bool IntPtr_op_Inequality_mB4886A806009EA825EFCC60CD2A7F6EB8E273A61 (intptr_t p0, intptr_t p1, const RuntimeMethod* method);
// System.Void UnityEngine.TouchScreenKeyboard::Internal_Destroy(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0 (intptr_t ___ptr0, const RuntimeMethod* method);
// System.Void System.GC::SuppressFinalize(System.Object)
extern "C" IL2CPP_METHOD_ATTR void GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425 (RuntimeObject * p0, const RuntimeMethod* method);
// System.Void UnityEngine.TouchScreenKeyboard::Destroy()
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_Destroy_m916AE9DA740DBD435A5EDD93C6BC55CCEC8310C3 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method);
// System.Void System.Object::Finalize()
extern "C" IL2CPP_METHOD_ATTR void Object_Finalize_m4015B7D3A44DE125C5FE34D7276CD4697C06F380 (RuntimeObject * __this, const RuntimeMethod* method);
// UnityEngine.RuntimePlatform UnityEngine.Application::get_platform()
extern "C" IL2CPP_METHOD_ATTR int32_t Application_get_platform_m6AFFFF3B077F4D5CA1F71CF14ABA86A83FC71672 (const RuntimeMethod* method);
// System.Void UnityEngine.TouchScreenKeyboard::.ctor(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard__ctor_mDF71D45DC0F867825BEB1CDF728927FBB0E07F86 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, int32_t ___characterLimit7, const RuntimeMethod* method);
// System.Void UnityEngine.TouchScreenKeyboard::GetSelection(System.Int32&,System.Int32&)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896 (int32_t* ___start0, int32_t* ___length1, const RuntimeMethod* method);
// System.String UnityEngine.TouchScreenKeyboard::get_text()
extern "C" IL2CPP_METHOD_ATTR String_t* TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method);
// System.Void System.ArgumentOutOfRangeException::.ctor(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * __this, String_t* p0, String_t* p1, const RuntimeMethod* method);
// System.Void UnityEngine.TouchScreenKeyboard::SetSelection(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF (int32_t ___start0, int32_t ___length1, const RuntimeMethod* method);
// System.Boolean UnityEngine.TrackedReference::op_Equality(UnityEngine.TrackedReference,UnityEngine.TrackedReference)
extern "C" IL2CPP_METHOD_ATTR bool TrackedReference_op_Equality_m6176AA0B99576B1734E9A9D7DDA0A27ECACBAA96 (TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * ___x0, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * ___y1, const RuntimeMethod* method);
// System.Int32 System.IntPtr::op_Explicit(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR int32_t IntPtr_op_Explicit_mD69722A4C61D33FE70E790325C6E0DC690F9494F (intptr_t p0, const RuntimeMethod* method);
// System.Void UnityEngine.Component::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Component__ctor_m5E2740C0ACA4B368BC460315FAA2EDBFEAC0B8EF (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_position_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::set_position_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_localPosition_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::set_localPosition_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method);
// UnityEngine.Quaternion UnityEngine.Transform::get_rotation()
extern "C" IL2CPP_METHOD_ATTR Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 Transform_get_rotation_m3AB90A67403249AECCA5E02BC70FCE8C90FE9FB9 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::get_forward()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_forward_m3E2E192B3302130098738C308FA1EE1439449D0D (const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Quaternion::op_Multiply(UnityEngine.Quaternion,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Quaternion_op_Multiply_mD5999DE317D808808B72E58E7A978C4C0995879C (Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___rotation0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___point1, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_rotation_Injected(UnityEngine.Quaternion&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_localRotation_Injected(UnityEngine.Quaternion&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::set_localRotation_Injected(UnityEngine.Quaternion&)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___value0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_localScale_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::set_localScale_Injected(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::get_parentInternal()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_get_parentInternal_mEE407FBF144B4EE785164788FD455CAA82DC7C2E (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::set_parentInternal(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_parentInternal_m8534EFFADCF054FFA081769F84256F9921B0258C (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___value0, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::GetParent()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Transform_SetParent_mFAF9209CAB6A864552074BA065D740924A4BF979 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___p0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___parent0, bool ___worldPositionStays1, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_worldToLocalMatrix_Injected(UnityEngine.Matrix4x4&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::get_localToWorldMatrix_Injected(UnityEngine.Matrix4x4&)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * ___ret0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::TransformPoint_Injected(UnityEngine.Vector3&,UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___position0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret1, const RuntimeMethod* method);
// System.Void UnityEngine.Transform::InverseTransformPoint_Injected(UnityEngine.Vector3&,UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___position0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret1, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::FindRelativeTransformWithPath(UnityEngine.Transform,System.String,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___transform0, String_t* ___path1, bool ___isActiveOnly2, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::Find(System.String)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, String_t* ___n0, const RuntimeMethod* method);
// System.Void UnityEngine.Transform/Enumerator::.ctor(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Enumerator__ctor_mBF5A46090D26A1DD98484C00389566FD8CB80770 (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___outer0, const RuntimeMethod* method);
// UnityEngine.Transform UnityEngine.Transform::GetChild(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, int32_t ___index0, const RuntimeMethod* method);
// System.Int32 UnityEngine.Transform::get_childCount()
extern "C" IL2CPP_METHOD_ATTR int32_t Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method);
// System.Void System.Action`1<UnityEngine.U2D.SpriteAtlas>::.ctor(System.Object,System.IntPtr)
inline void Action_1__ctor_m3410995AC0E42939031462C4335B4BB5D6B65703 (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * __this, RuntimeObject * p0, intptr_t p1, const RuntimeMethod* method)
{
(( void (*) (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *, RuntimeObject *, intptr_t, const RuntimeMethod*))Action_1__ctor_mAFC7442D9D3CEC6701C3C5599F8CF12476095510_gshared)(__this, p0, p1, method);
}
// System.Void System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>>::Invoke(!0,!1)
inline void Action_2_Invoke_mF869CA06F0E5E20E3F4324AC19C43EE97B3F8A00 (Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * __this, String_t* p0, Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * p1, const RuntimeMethod* method)
{
(( void (*) (Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 *, String_t*, Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *, const RuntimeMethod*))Action_2_Invoke_m1738FFAE74BE5E599FD42520FA2BEF69D1AC4709_gshared)(__this, p0, p1, method);
}
// System.Void System.Action`1<UnityEngine.U2D.SpriteAtlas>::Invoke(!0)
inline void Action_1_Invoke_m8196A911FEFF1B1CCF99728FA4F31C74795B7BE2 (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * __this, SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A * p0, const RuntimeMethod* method)
{
(( void (*) (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *, SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A *, const RuntimeMethod*))Action_1_Invoke_mB86FC1B303E77C41ED0E94FC3592A9CF8DA571D5_gshared)(__this, p0, method);
}
// System.AppDomain System.AppDomain::get_CurrentDomain()
extern "C" IL2CPP_METHOD_ATTR AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * AppDomain_get_CurrentDomain_m3D3D52C9382D6853E49551DA6182DBC5F1118BF0 (const RuntimeMethod* method);
// System.Void System.UnhandledExceptionEventHandler::.ctor(System.Object,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionEventHandler__ctor_m6C9D92AF9901334C444EE7E83FE859D7E4833ABB (UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * __this, RuntimeObject * p0, intptr_t p1, const RuntimeMethod* method);
// System.Void System.AppDomain::add_UnhandledException(System.UnhandledExceptionEventHandler)
extern "C" IL2CPP_METHOD_ATTR void AppDomain_add_UnhandledException_mEEDCA5704AE44AEE033BC4929067895C7EAC9D2D (AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * __this, UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * p0, const RuntimeMethod* method);
// System.Object System.UnhandledExceptionEventArgs::get_ExceptionObject()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * UnhandledExceptionEventArgs_get_ExceptionObject_m1936F64BC46B54AA159A4B366BED7AF11DEED0C3 (UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.UnhandledExceptionHandler::PrintException(System.String,System.Exception)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77 (String_t* ___title0, Exception_t * ___e1, const RuntimeMethod* method);
// System.Void UnityEngine.UnhandledExceptionHandler::iOSNativeUnhandledExceptionHandler(System.String,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6 (String_t* ___managedExceptionType0, String_t* ___managedExceptionMessage1, String_t* ___managedExceptionStack2, const RuntimeMethod* method);
// System.Void UnityEngine.Debug::LogException(System.Exception)
extern "C" IL2CPP_METHOD_ATTR void Debug_LogException_mBAA6702C240E37B2A834AA74E4FDC15A3A5589A9 (Exception_t * ___exception0, const RuntimeMethod* method);
// System.Void System.Exception::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void Exception__ctor_m89BADFF36C3B170013878726E07729D51AA9FBE0 (Exception_t * __this, String_t* p0, const RuntimeMethod* method);
// System.Void System.Exception::set_HResult(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Exception_set_HResult_m920DF8C728D8A0EC0759685FED890C775FA08B99 (Exception_t * __this, int32_t p0, const RuntimeMethod* method);
// System.Void System.Exception::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext)
extern "C" IL2CPP_METHOD_ATTR void Exception__ctor_mBFF5996A1B65FCEEE0054A95A652BA3DD6366618 (Exception_t * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * p0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 p1, const RuntimeMethod* method);
// System.Void System.IO.TextWriter::.ctor()
extern "C" IL2CPP_METHOD_ATTR void TextWriter__ctor_m9E003066292D16C33BCD9F462445436BCBF9AAFA (TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.UnityLogWriter::WriteStringToUnityLogImpl(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985 (String_t* ___s0, const RuntimeMethod* method);
// System.Void UnityEngine.UnityLogWriter::.ctor()
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter__ctor_mE8DC0EAD466C5F290F6D32CC07F0F70590688833 (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * __this, const RuntimeMethod* method);
// System.Void System.Console::SetOut(System.IO.TextWriter)
extern "C" IL2CPP_METHOD_ATTR void Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF (TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0 * p0, const RuntimeMethod* method);
// System.String System.Char::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Char_ToString_mA42A88FEBA41B72D48BB24373E3101B7A91B6FD8 (Il2CppChar* __this, const RuntimeMethod* method);
// System.Void UnityEngine.UnityLogWriter::WriteStringToUnityLog(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_WriteStringToUnityLog_m0036CA8A9FB1FE3CFF460CA0212B6377B09E6504 (String_t* ___s0, const RuntimeMethod* method);
// System.String System.String::CreateString(System.Char[],System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR String_t* String_CreateString_mC7FB167C0D5B97F7EF502AF54399C61DD5B87509 (String_t* __this, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___val0, int32_t ___startIndex1, int32_t ___length2, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::.ctor(System.Int32)
inline void List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890 (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, int32_t p0, const RuntimeMethod* method)
{
(( void (*) (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *, int32_t, const RuntimeMethod*))List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_gshared)(__this, p0, method);
}
// System.Void System.Threading.SynchronizationContext::.ctor()
extern "C" IL2CPP_METHOD_ATTR void SynchronizationContext__ctor_mC7C5F426C3450ACA409B5FE89E961EB8E5047512 (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * __this, const RuntimeMethod* method);
// System.Threading.Thread System.Threading.Thread::get_CurrentThread()
extern "C" IL2CPP_METHOD_ATTR Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * Thread_get_CurrentThread_mB7A83CAE2B9A74CEA053196DFD1AF1E7AB30A70E (const RuntimeMethod* method);
// System.Int32 System.Threading.Thread::get_ManagedThreadId()
extern "C" IL2CPP_METHOD_ATTR int32_t Thread_get_ManagedThreadId_m7FA85162CB00713B94EF5708B19120F791D3AAD1 (Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * __this, const RuntimeMethod* method);
// System.Void System.Threading.SendOrPostCallback::Invoke(System.Object)
extern "C" IL2CPP_METHOD_ATTR void SendOrPostCallback_Invoke_m10442BF6A452A4408C3DDD1885D6809C4549C2AC (SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * __this, RuntimeObject * p0, const RuntimeMethod* method);
// System.Void System.Threading.ManualResetEvent::.ctor(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void ManualResetEvent__ctor_m8973D9E3C622B9602641C017A33870F51D0311E1 (ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * __this, bool p0, const RuntimeMethod* method);
// System.Void System.Threading.Monitor::Enter(System.Object)
extern "C" IL2CPP_METHOD_ATTR void Monitor_Enter_m903755FCC479745619842CCDBF5E6355319FA102 (RuntimeObject * p0, const RuntimeMethod* method);
// System.Void UnityEngine.UnitySynchronizationContext/WorkRequest::.ctor(System.Threading.SendOrPostCallback,System.Object,System.Threading.ManualResetEvent)
extern "C" IL2CPP_METHOD_ATTR void WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599 (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * __this, SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___callback0, RuntimeObject * ___state1, ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___waitHandle2, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Add(!0)
inline void List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6 (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 p0, const RuntimeMethod* method)
{
(( void (*) (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 , const RuntimeMethod*))List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6_gshared)(__this, p0, method);
}
// System.Void System.Threading.Monitor::Exit(System.Object)
extern "C" IL2CPP_METHOD_ATTR void Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2 (RuntimeObject * p0, const RuntimeMethod* method);
// System.Void UnityEngine.UnitySynchronizationContext::.ctor(System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext__ctor_m9D104656F4EAE96CB3A40DDA6EDCEBA752664612 (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * ___queue0, int32_t ___mainThreadID1, const RuntimeMethod* method);
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::AddRange(System.Collections.Generic.IEnumerable`1<!0>)
inline void List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, RuntimeObject* p0, const RuntimeMethod* method)
{
(( void (*) (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *, RuntimeObject*, const RuntimeMethod*))List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C_gshared)(__this, p0, method);
}
// System.Void System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Clear()
inline void List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, const RuntimeMethod* method)
{
(( void (*) (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *, const RuntimeMethod*))List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A_gshared)(__this, method);
}
// System.Collections.Generic.List`1/Enumerator<!0> System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::GetEnumerator()
inline Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57 (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * __this, const RuntimeMethod* method)
{
return (( Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 (*) (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *, const RuntimeMethod*))List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57_gshared)(__this, method);
}
// !0 System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::get_Current()
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method)
{
return (( WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 (*) (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *, const RuntimeMethod*))Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D_gshared)(__this, method);
}
// System.Void UnityEngine.UnitySynchronizationContext/WorkRequest::Invoke()
extern "C" IL2CPP_METHOD_ATTR void WorkRequest_Invoke_m67D71A48794EEBB6B9793E6F1E015DE90C03C1ED (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * __this, const RuntimeMethod* method);
// System.Boolean System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::MoveNext()
inline bool Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510 (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method)
{
return (( bool (*) (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *, const RuntimeMethod*))Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510_gshared)(__this, method);
}
// System.Void System.Collections.Generic.List`1/Enumerator<UnityEngine.UnitySynchronizationContext/WorkRequest>::Dispose()
inline void Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35 (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 * __this, const RuntimeMethod* method)
{
(( void (*) (Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *, const RuntimeMethod*))Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35_gshared)(__this, method);
}
// System.Threading.SynchronizationContext System.Threading.SynchronizationContext::get_Current()
extern "C" IL2CPP_METHOD_ATTR SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * SynchronizationContext_get_Current_m349D2AF9766D807E4003E23C6D37EF1592832DF4 (const RuntimeMethod* method);
// System.Void UnityEngine.UnitySynchronizationContext::.ctor(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext__ctor_mCABD0C784640450930DF24FAD73E8AD6D1B52037 (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, int32_t ___mainThreadID0, const RuntimeMethod* method);
// System.Void System.Threading.SynchronizationContext::SetSynchronizationContext(System.Threading.SynchronizationContext)
extern "C" IL2CPP_METHOD_ATTR void SynchronizationContext_SetSynchronizationContext_m41A5A4823E9F4B8961657834EAC44397EFE41D61 (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * p0, const RuntimeMethod* method);
// System.Void UnityEngine.UnitySynchronizationContext::Exec()
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_Exec_m07342201E337E047B73C8B3259710820EFF75A9C (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, const RuntimeMethod* method);
// System.Boolean System.Threading.EventWaitHandle::Set()
extern "C" IL2CPP_METHOD_ATTR bool EventWaitHandle_Set_m7959A86A39735296FC949EC86FDA42A6CFAAB94C (EventWaitHandle_t7603BF1D3D30FE42DD07A450C8D09E2684DC4D98 * __this, const RuntimeMethod* method);
// System.Void System.IndexOutOfRangeException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * __this, String_t* p0, const RuntimeMethod* method);
// System.String UnityEngine.Vector2::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method);
// System.Int32 System.Single::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0 (float* __this, const RuntimeMethod* method);
// System.Int32 UnityEngine.Vector2::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector2::Equals(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___other0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector2::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, RuntimeObject * ___other0, const RuntimeMethod* method);
// System.Boolean System.Single::Equals(System.Single)
extern "C" IL2CPP_METHOD_ATTR bool Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7 (float* __this, float p0, const RuntimeMethod* method);
// System.Single UnityEngine.Vector2::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector2_get_sqrMagnitude_mAEE10A8ECE7D5754E10727BA8C9068A759AD7002 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector2::op_Equality(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_op_Equality_m0E86E1B1038DDB8554A8A0D58729A7788D989588 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lhs0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rhs1, const RuntimeMethod* method);
// System.Void UnityEngine.Vector3::.ctor(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3__ctor_m6AD8F21FFCC7723C6F507CCF2E4E2EFFC4871584 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, float ___x0, float ___y1, const RuntimeMethod* method);
// System.Single UnityEngine.Mathf::Clamp01(System.Single)
extern "C" IL2CPP_METHOD_ATTR float Mathf_Clamp01_m1E5F736941A7E6DC4DBCA88A1E38FE9FBFE0C42B (float ___value0, const RuntimeMethod* method);
// System.Single UnityEngine.Vector3::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, int32_t ___index0, const RuntimeMethod* method);
// System.Void UnityEngine.Vector3::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method);
// System.Int32 UnityEngine.Vector3::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector3::Equals(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___other0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector3::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, RuntimeObject * ___other0, const RuntimeMethod* method);
// System.Single UnityEngine.Vector3::Magnitude(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_Magnitude_m3958BE20951093E6B035C5F90493027063B39437 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___vector0, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::op_Division(UnityEngine.Vector3,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Division_mDF34F1CC445981B4D1137765BC6277419E561624 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, float ___d1, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::Normalize(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_Normalize_mDEA51D0C131125535DA2B49B7281E0086ED583DC (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::get_normalized()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Vector3::get_magnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Vector3::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_sqrMagnitude_m1C6E190B4A933A183B308736DEC0DD64B0588968 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method);
// System.Single UnityEngine.Mathf::Min(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR float Mathf_Min_mCF9BE0E9CAC9F18D207692BB2DAC7F3E1D4E1CB7 (float ___a0, float ___b1, const RuntimeMethod* method);
// System.Single UnityEngine.Mathf::Max(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR float Mathf_Max_m670AE0EC1B09ED1A56FF9606B0F954670319CB65 (float ___a0, float ___b1, const RuntimeMethod* method);
// UnityEngine.Vector3 UnityEngine.Vector3::op_Subtraction(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Subtraction_mF9846B723A5034F8B9F5F5DCB78E3D67649143D3 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___b1, const RuntimeMethod* method);
// System.Single UnityEngine.Vector3::SqrMagnitude(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_SqrMagnitude_mBE7ED92F28BBE09310975CDF329913C04EA9500E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___vector0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector3::op_Equality(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_op_Equality_mA9E2F96E98E71AE7ACCE74766D700D41F0404806 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method);
// System.String UnityEngine.Vector3::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.Vector4::.ctor(System.Single,System.Single,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, float ___x0, float ___y1, float ___z2, float ___w3, const RuntimeMethod* method);
// System.Single UnityEngine.Vector4::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, int32_t ___index0, const RuntimeMethod* method);
// System.Void UnityEngine.Vector4::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method);
// System.Int32 UnityEngine.Vector4::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector4::Equals(UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR bool Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___other0, const RuntimeMethod* method);
// System.Boolean UnityEngine.Vector4::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, RuntimeObject * ___other0, const RuntimeMethod* method);
// System.Single UnityEngine.Vector4::Dot(UnityEngine.Vector4,UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR float Vector4_Dot_m9FAE8FE89CF99841AD8D2113DFCDB8764F9FBB18 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___b1, const RuntimeMethod* method);
// System.Single UnityEngine.Vector4::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method);
// UnityEngine.Vector4 UnityEngine.Vector4::op_Subtraction(UnityEngine.Vector4,UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Vector4_op_Subtraction_m2D5AED6DD0324E479548A9346AE29DAB489A8250 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___b1, const RuntimeMethod* method);
// System.Single UnityEngine.Vector4::SqrMagnitude(UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR float Vector4_SqrMagnitude_mC2577C7119B10D3211BEF8BD3D8C0736274D1C10 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, const RuntimeMethod* method);
// System.String UnityEngine.Vector4::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method);
// System.Void UnityEngine.YieldInstruction::.ctor()
extern "C" IL2CPP_METHOD_ATTR void YieldInstruction__ctor_mA72AD367FB081E0C2493649C6E8F7CFC592AB620 (YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.CustomYieldInstruction::.ctor()
extern "C" IL2CPP_METHOD_ATTR void CustomYieldInstruction__ctor_m06E2B5BC73763FE2E734FAA600D567701EA21EC5 (CustomYieldInstruction_t819BB0973AFF22766749FF087B8AEFEAF3C2CB7D * __this, const RuntimeMethod* method);
// System.Void UnityEngine.WaitForSecondsRealtime::set_waitTime(System.Single)
extern "C" IL2CPP_METHOD_ATTR void WaitForSecondsRealtime_set_waitTime_m867F4482BEE354E33A6FD9191344D74B9CC8C790 (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, float ___value0, const RuntimeMethod* method);
// System.Single UnityEngine.Time::get_realtimeSinceStartup()
extern "C" IL2CPP_METHOD_ATTR float Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03 (const RuntimeMethod* method);
// System.Single UnityEngine.WaitForSecondsRealtime::get_waitTime()
extern "C" IL2CPP_METHOD_ATTR float WaitForSecondsRealtime_get_waitTime_m6D1B0EDEAFA3DBBBFE1A0CC2D372BAB8EA82E2FB (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.iOS.NotificationHelper::DestroyLocal(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C (intptr_t ___target0, const RuntimeMethod* method);
// System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.DateTimeKind)
extern "C" IL2CPP_METHOD_ATTR void DateTime__ctor_mC9FEFEECD786FDE2648567E114C71A4A468A65FE (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, int32_t p0, int32_t p1, int32_t p2, int32_t p3, int32_t p4, int32_t p5, int32_t p6, const RuntimeMethod* method);
// System.Int64 System.DateTime::get_Ticks()
extern "C" IL2CPP_METHOD_ATTR int64_t DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60 (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.iOS.NotificationHelper::DestroyRemote(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79 (intptr_t ___target0, const RuntimeMethod* method);
// System.Void System.Collections.Stack::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Stack__ctor_m98F99FFBF373762F139506711349267D5354FE08 (Stack_t37723B68CC4FFD95F0F3D06A5D42D7DEE7569643 * __this, const RuntimeMethod* method);
// System.Delegate System.Delegate::CreateDelegate(System.Type,System.Object,System.Reflection.MethodInfo)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * Delegate_CreateDelegate_m3A012C4DD077BAD1698B11602174E167F7B9D346 (Type_t * p0, RuntimeObject * p1, MethodInfo_t * p2, const RuntimeMethod* method);
// System.Reflection.MethodInfo System.Delegate::get_Method()
extern "C" IL2CPP_METHOD_ATTR MethodInfo_t * Delegate_get_Method_m0AC85D2B0C4CA63C471BC37FFDC3A5EA1E8ED048 (Delegate_t * __this, const RuntimeMethod* method);
// System.Delegate System.Delegate::CreateDelegate(System.Type,System.Reflection.MethodInfo)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * Delegate_CreateDelegate_mD7C5EDDB32C63A9BD9DE43AC879AFF4EBC6641D1 (Type_t * p0, MethodInfo_t * p1, const RuntimeMethod* method);
// System.Void UnityEngineInternal.TypeInferenceRuleAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void TypeInferenceRuleAttribute__ctor_m34920F979AA071F4973CEEEF6F91B5B6A53E5765 (TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B * __this, String_t* ___rule0, const RuntimeMethod* method);
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void UnityEngine.RectTransform::add_reapplyDrivenProperties(UnityEngine.RectTransform_ReapplyDrivenProperties)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_add_reapplyDrivenProperties_mDA1F055B02E43F9041D4198D446D89E00381851E (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_add_reapplyDrivenProperties_mDA1F055B02E43F9041D4198D446D89E00381851E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * V_0 = NULL;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * V_1 = NULL;
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_0 = ((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_4();
V_0 = L_0;
}
IL_0006:
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_1 = V_0;
V_1 = L_1;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_2 = V_1;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_3 = ___value0;
Delegate_t * L_4 = Delegate_Combine_mC25D2F7DECAFBA6D9A2F9EBA8A77063F0658ECF1(L_2, L_3, /*hidden argument*/NULL);
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_5 = V_0;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_6 = InterlockedCompareExchangeImpl<ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *>((ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D **)(((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_address_of_reapplyDrivenProperties_4()), ((ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)CastclassSealed((RuntimeObject*)L_4, ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D_il2cpp_TypeInfo_var)), L_5);
V_0 = L_6;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_7 = V_0;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_8 = V_1;
if ((!(((RuntimeObject*)(ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)L_7) == ((RuntimeObject*)(ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)L_8))))
{
goto IL_0006;
}
}
{
return;
}
}
// System.Void UnityEngine.RectTransform::remove_reapplyDrivenProperties(UnityEngine.RectTransform_ReapplyDrivenProperties)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_remove_reapplyDrivenProperties_m65A8DB93E1A247A5C8CD880906FF03FEA89E7CEB (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_remove_reapplyDrivenProperties_m65A8DB93E1A247A5C8CD880906FF03FEA89E7CEB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * V_0 = NULL;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * V_1 = NULL;
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_0 = ((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_4();
V_0 = L_0;
}
IL_0006:
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_1 = V_0;
V_1 = L_1;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_2 = V_1;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_3 = ___value0;
Delegate_t * L_4 = Delegate_Remove_m0B0DB7D1B3AF96B71AFAA72BA0EFE32FBBC2932D(L_2, L_3, /*hidden argument*/NULL);
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_5 = V_0;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_6 = InterlockedCompareExchangeImpl<ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *>((ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D **)(((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_address_of_reapplyDrivenProperties_4()), ((ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)CastclassSealed((RuntimeObject*)L_4, ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D_il2cpp_TypeInfo_var)), L_5);
V_0 = L_6;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_7 = V_0;
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_8 = V_1;
if ((!(((RuntimeObject*)(ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)L_7) == ((RuntimeObject*)(ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D *)L_8))))
{
goto IL_0006;
}
}
{
return;
}
}
// UnityEngine.Rect UnityEngine.RectTransform::get_rect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE RectTransform_get_rect_mE5F283FCB99A66403AC1F0607CA49C156D73A15E (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F(__this, (Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMin()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchorMin_mB62D77CAC5A2A086320638AE7DF08135B7028744 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RectTransform::set_anchorMin(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMin_mE965F5B0902C2554635010A5752728414A57020A (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
{
RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMax()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchorMax_m1E51C211FBB32326C884375C9F1E8E8221E5C086 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RectTransform::set_anchorMax(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMax_m55EEF00D9E42FE542B5346D7CEDAF9248736F7D3 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
{
RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::get_anchoredPosition()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RectTransform::set_anchoredPosition(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchoredPosition_m4DD45DB1A97734A1F3A81E5F259638ECAF35962F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
{
RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::get_sizeDelta()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RectTransform::set_sizeDelta(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
{
RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::get_pivot()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RectTransform::set_pivot(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_pivot_mB791A383B3C870B9CBD7BC51B2C95711C88E9DCF (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
{
RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RectTransform::set_offsetMin(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_offsetMin_m7455ED64FF16C597E648E022BA768CFDCF4531AC (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_set_offsetMin_m7455ED64FF16C597E648E022BA768CFDCF4531AC_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ___value0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_3 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4 = Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2(L_2, L_3, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_1, L_4, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_0, L_5, /*hidden argument*/NULL);
V_0 = L_6;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_8 = V_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_9 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_7, L_8, /*hidden argument*/NULL);
RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302(__this, L_9, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_10 = RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_11 = V_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_12 = Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED(/*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_13 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_14 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_12, L_13, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_15 = Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2(L_11, L_14, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_16 = Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682(L_10, L_15, /*hidden argument*/NULL);
RectTransform_set_anchoredPosition_m4DD45DB1A97734A1F3A81E5F259638ECAF35962F(__this, L_16, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RectTransform::set_offsetMax(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_offsetMax_mD55D44AD4740C79B5C2C83C60B0C38BF1090501C (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_set_offsetMax_mD55D44AD4740C79B5C2C83C60B0C38BF1090501C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ___value0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_3 = Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED(/*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_3, L_4, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6 = Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2(L_2, L_5, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682(L_1, L_6, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_8 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_0, L_7, /*hidden argument*/NULL);
V_0 = L_8;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_9 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_10 = V_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_11 = Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682(L_9, L_10, /*hidden argument*/NULL);
RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302(__this, L_11, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_12 = RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_13 = V_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_14 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_15 = Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2(L_13, L_14, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_16 = Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682(L_12, L_15, /*hidden argument*/NULL);
RectTransform_set_anchoredPosition_m4DD45DB1A97734A1F3A81E5F259638ECAF35962F(__this, L_16, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RectTransform::GetLocalCorners(UnityEngine.Vector3[])
extern "C" IL2CPP_METHOD_ATTR void RectTransform_GetLocalCorners_m8761EA5FFE1F36041809D10D8AD7BC40CF06A520 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___fourCornersArray0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_GetLocalCorners_m8761EA5FFE1F36041809D10D8AD7BC40CF06A520_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_0;
memset(&V_0, 0, sizeof(V_0));
float V_1 = 0.0f;
float V_2 = 0.0f;
float V_3 = 0.0f;
float V_4 = 0.0f;
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_0 = ___fourCornersArray0;
if (!L_0)
{
goto IL_0010;
}
}
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_1 = ___fourCornersArray0;
NullCheck(L_1);
if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length))))) >= ((int32_t)4)))
{
goto IL_0020;
}
}
IL_0010:
{
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogError_m3BCF9B78263152261565DCA9DB7D55F0C391ED29(_stringLiteral5C353241CDACE99B03D8DFDC6678878C57F244DD, /*hidden argument*/NULL);
goto IL_00aa;
}
IL_0020:
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_2 = RectTransform_get_rect_mE5F283FCB99A66403AC1F0607CA49C156D73A15E(__this, /*hidden argument*/NULL);
V_0 = L_2;
float L_3 = Rect_get_x_mC51A461F546D14832EB96B11A7198DADDE2597B7((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
V_1 = L_3;
float L_4 = Rect_get_y_m53E3E4F62D9840FBEA751A66293038F1F5D1D45C((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
V_2 = L_4;
float L_5 = Rect_get_xMax_mA16D7C3C2F30F8608719073ED79028C11CE90983((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
V_3 = L_5;
float L_6 = Rect_get_yMax_m8AA5E92C322AF3FF571330F00579DA864F33341B((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
V_4 = L_6;
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_7 = ___fourCornersArray0;
NullCheck(L_7);
float L_8 = V_1;
float L_9 = V_2;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_10;
memset(&L_10, 0, sizeof(L_10));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_10), L_8, L_9, (0.0f), /*hidden argument*/NULL);
*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_10;
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_11 = ___fourCornersArray0;
NullCheck(L_11);
float L_12 = V_1;
float L_13 = V_4;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_14;
memset(&L_14, 0, sizeof(L_14));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_14), L_12, L_13, (0.0f), /*hidden argument*/NULL);
*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_14;
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_15 = ___fourCornersArray0;
NullCheck(L_15);
float L_16 = V_3;
float L_17 = V_4;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_18;
memset(&L_18, 0, sizeof(L_18));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_18), L_16, L_17, (0.0f), /*hidden argument*/NULL);
*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_15)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_18;
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_19 = ___fourCornersArray0;
NullCheck(L_19);
float L_20 = V_3;
float L_21 = V_2;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_22;
memset(&L_22, 0, sizeof(L_22));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_22), L_20, L_21, (0.0f), /*hidden argument*/NULL);
*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(3))) = L_22;
}
IL_00aa:
{
return;
}
}
// System.Void UnityEngine.RectTransform::GetWorldCorners(UnityEngine.Vector3[])
extern "C" IL2CPP_METHOD_ATTR void RectTransform_GetWorldCorners_m073AA4D13C51C5654A5983EE3FE7E2E60F7761B6 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___fourCornersArray0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_GetWorldCorners_m073AA4D13C51C5654A5983EE3FE7E2E60F7761B6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA V_0;
memset(&V_0, 0, sizeof(V_0));
int32_t V_1 = 0;
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_0 = ___fourCornersArray0;
if (!L_0)
{
goto IL_0010;
}
}
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_1 = ___fourCornersArray0;
NullCheck(L_1);
if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length))))) >= ((int32_t)4)))
{
goto IL_0020;
}
}
IL_0010:
{
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogError_m3BCF9B78263152261565DCA9DB7D55F0C391ED29(_stringLiteralF23AD4106708799BB558FADB5E8EF955F5862D66, /*hidden argument*/NULL);
goto IL_0064;
}
IL_0020:
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_2 = ___fourCornersArray0;
RectTransform_GetLocalCorners_m8761EA5FFE1F36041809D10D8AD7BC40CF06A520(__this, L_2, /*hidden argument*/NULL);
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_3 = Component_get_transform_m00F05BD782F920C301A7EBA480F3B7A904C07EC9(__this, /*hidden argument*/NULL);
NullCheck(L_3);
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA L_4 = Transform_get_localToWorldMatrix_mBC86B8C7BA6F53DAB8E0120D77729166399A0EED(L_3, /*hidden argument*/NULL);
V_0 = L_4;
V_1 = 0;
goto IL_005d;
}
IL_003a:
{
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_5 = ___fourCornersArray0;
int32_t L_6 = V_1;
NullCheck(L_5);
Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_7 = ___fourCornersArray0;
int32_t L_8 = V_1;
NullCheck(L_7);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_9 = Matrix4x4_MultiplyPoint_mD5D082585C5B3564A5EFC90A3C5CAFFE47E45B65((Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA *)(&V_0), (*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_8)))), /*hidden argument*/NULL);
*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_6))) = L_9;
int32_t L_10 = V_1;
V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1));
}
IL_005d:
{
int32_t L_11 = V_1;
if ((((int32_t)L_11) < ((int32_t)4)))
{
goto IL_003a;
}
}
IL_0064:
{
return;
}
}
// System.Void UnityEngine.RectTransform::SetInsetAndSizeFromParentEdge(UnityEngine.RectTransform_Edge,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_SetInsetAndSizeFromParentEdge_m4ED849AA88D194A7AA6B1021DF119B926F322146 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, int32_t ___edge0, float ___inset1, float ___size2, const RuntimeMethod* method)
{
int32_t V_0 = 0;
bool V_1 = false;
float V_2 = 0.0f;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_3;
memset(&V_3, 0, sizeof(V_3));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_4;
memset(&V_4, 0, sizeof(V_4));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_5;
memset(&V_5, 0, sizeof(V_5));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_6;
memset(&V_6, 0, sizeof(V_6));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_7;
memset(&V_7, 0, sizeof(V_7));
int32_t G_B4_0 = 0;
int32_t G_B7_0 = 0;
int32_t G_B10_0 = 0;
int32_t G_B12_0 = 0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * G_B12_1 = NULL;
int32_t G_B11_0 = 0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * G_B11_1 = NULL;
float G_B13_0 = 0.0f;
int32_t G_B13_1 = 0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * G_B13_2 = NULL;
{
int32_t L_0 = ___edge0;
if ((((int32_t)L_0) == ((int32_t)2)))
{
goto IL_000f;
}
}
{
int32_t L_1 = ___edge0;
if ((!(((uint32_t)L_1) == ((uint32_t)3))))
{
goto IL_0015;
}
}
IL_000f:
{
G_B4_0 = 1;
goto IL_0016;
}
IL_0015:
{
G_B4_0 = 0;
}
IL_0016:
{
V_0 = G_B4_0;
int32_t L_2 = ___edge0;
if ((((int32_t)L_2) == ((int32_t)2)))
{
goto IL_0024;
}
}
{
int32_t L_3 = ___edge0;
G_B7_0 = ((((int32_t)L_3) == ((int32_t)1))? 1 : 0);
goto IL_0025;
}
IL_0024:
{
G_B7_0 = 1;
}
IL_0025:
{
V_1 = (bool)G_B7_0;
bool L_4 = V_1;
if (!L_4)
{
goto IL_0032;
}
}
{
G_B10_0 = 1;
goto IL_0033;
}
IL_0032:
{
G_B10_0 = 0;
}
IL_0033:
{
V_2 = (((float)((float)G_B10_0)));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = RectTransform_get_anchorMin_mB62D77CAC5A2A086320638AE7DF08135B7028744(__this, /*hidden argument*/NULL);
V_3 = L_5;
int32_t L_6 = V_0;
float L_7 = V_2;
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_3), L_6, L_7, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_8 = V_3;
RectTransform_set_anchorMin_mE965F5B0902C2554635010A5752728414A57020A(__this, L_8, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_9 = RectTransform_get_anchorMax_m1E51C211FBB32326C884375C9F1E8E8221E5C086(__this, /*hidden argument*/NULL);
V_3 = L_9;
int32_t L_10 = V_0;
float L_11 = V_2;
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_3), L_10, L_11, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_12 = V_3;
RectTransform_set_anchorMax_m55EEF00D9E42FE542B5346D7CEDAF9248736F7D3(__this, L_12, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_13 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
V_4 = L_13;
int32_t L_14 = V_0;
float L_15 = ___size2;
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_4), L_14, L_15, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_16 = V_4;
RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302(__this, L_16, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_17 = RectTransform_get_anchoredPosition_mCB2171DBADBC572F354CCFE3ACA19F9506F97907(__this, /*hidden argument*/NULL);
V_5 = L_17;
int32_t L_18 = V_0;
bool L_19 = V_1;
G_B11_0 = L_18;
G_B11_1 = (&V_5);
if (!L_19)
{
G_B12_0 = L_18;
G_B12_1 = (&V_5);
goto IL_00ad;
}
}
{
float L_20 = ___inset1;
float L_21 = ___size2;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_22 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
V_6 = L_22;
int32_t L_23 = V_0;
float L_24 = Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_6), L_23, /*hidden argument*/NULL);
G_B13_0 = ((float)il2cpp_codegen_subtract((float)((-L_20)), (float)((float)il2cpp_codegen_multiply((float)L_21, (float)((float)il2cpp_codegen_subtract((float)(1.0f), (float)L_24))))));
G_B13_1 = G_B11_0;
G_B13_2 = G_B11_1;
goto IL_00c1;
}
IL_00ad:
{
float L_25 = ___inset1;
float L_26 = ___size2;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_27 = RectTransform_get_pivot_mA5BEEE2069ACA7C0C717530EED3E7D811D46C463(__this, /*hidden argument*/NULL);
V_7 = L_27;
int32_t L_28 = V_0;
float L_29 = Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_7), L_28, /*hidden argument*/NULL);
G_B13_0 = ((float)il2cpp_codegen_add((float)L_25, (float)((float)il2cpp_codegen_multiply((float)L_26, (float)L_29))));
G_B13_1 = G_B12_0;
G_B13_2 = G_B12_1;
}
IL_00c1:
{
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)G_B13_2, G_B13_1, G_B13_0, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_30 = V_5;
RectTransform_set_anchoredPosition_m4DD45DB1A97734A1F3A81E5F259638ECAF35962F(__this, L_30, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RectTransform::SetSizeWithCurrentAnchors(UnityEngine.RectTransform_Axis,System.Single)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_SetSizeWithCurrentAnchors_m6F93CD5B798E4A53F2085862EA1B4021AEAA6745 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, int32_t ___axis0, float ___size1, const RuntimeMethod* method)
{
int32_t V_0 = 0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_1;
memset(&V_1, 0, sizeof(V_1));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_2;
memset(&V_2, 0, sizeof(V_2));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_3;
memset(&V_3, 0, sizeof(V_3));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_4;
memset(&V_4, 0, sizeof(V_4));
{
int32_t L_0 = ___axis0;
V_0 = L_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = RectTransform_get_sizeDelta_mDA0A3E73679143B1B52CE2F9A417F90CB9F3DAFF(__this, /*hidden argument*/NULL);
V_1 = L_1;
int32_t L_2 = V_0;
float L_3 = ___size1;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4 = RectTransform_GetParentSize_mFD24CC863A4D7DFBFFE23C982E9A11E9B010D25D(__this, /*hidden argument*/NULL);
V_2 = L_4;
int32_t L_5 = V_0;
float L_6 = Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_2), L_5, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = RectTransform_get_anchorMax_m1E51C211FBB32326C884375C9F1E8E8221E5C086(__this, /*hidden argument*/NULL);
V_3 = L_7;
int32_t L_8 = V_0;
float L_9 = Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_3), L_8, /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_10 = RectTransform_get_anchorMin_mB62D77CAC5A2A086320638AE7DF08135B7028744(__this, /*hidden argument*/NULL);
V_4 = L_10;
int32_t L_11 = V_0;
float L_12 = Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_4), L_11, /*hidden argument*/NULL);
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_1), L_2, ((float)il2cpp_codegen_subtract((float)L_3, (float)((float)il2cpp_codegen_multiply((float)L_6, (float)((float)il2cpp_codegen_subtract((float)L_9, (float)L_12)))))), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_13 = V_1;
RectTransform_set_sizeDelta_m7729BA56325BA667F0F7D60D642124F7909F1302(__this, L_13, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RectTransform::SendReapplyDrivenProperties(UnityEngine.RectTransform)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_SendReapplyDrivenProperties_m231712A8CDDCA340752CB72690FE808111286653 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * ___driven0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_SendReapplyDrivenProperties_m231712A8CDDCA340752CB72690FE808111286653_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_0 = ((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_4();
if (L_0)
{
goto IL_000d;
}
}
{
goto IL_0018;
}
IL_000d:
{
ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * L_1 = ((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_4();
RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * L_2 = ___driven0;
NullCheck(L_1);
ReapplyDrivenProperties_Invoke_m37F24671E6F3C60B3D0C7E0CE234B8E125D5928A(L_1, L_2, /*hidden argument*/NULL);
}
IL_0018:
{
return;
}
}
// UnityEngine.Vector2 UnityEngine.RectTransform::GetParentSize()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D RectTransform_GetParentSize_mFD24CC863A4D7DFBFFE23C982E9A11E9B010D25D (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RectTransform_GetParentSize_mFD24CC863A4D7DFBFFE23C982E9A11E9B010D25D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * V_0 = NULL;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_1;
memset(&V_1, 0, sizeof(V_1));
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_2;
memset(&V_2, 0, sizeof(V_2));
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = Transform_get_parent_m8FA24E38A1FA29D90CBF3CDC9F9F017C65BB3403(__this, /*hidden argument*/NULL);
V_0 = ((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *)IsInstSealed((RuntimeObject*)L_0, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var));
RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * L_1 = V_0;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_2 = Object_op_Implicit_m8B2A44B4B1406ED346D1AE6D962294FD58D0D534(L_1, /*hidden argument*/NULL);
if (L_2)
{
goto IL_0023;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_3 = Vector2_get_zero_mFE0C3213BB698130D6C5247AB4B887A59074D0A8(/*hidden argument*/NULL);
V_1 = L_3;
goto IL_0037;
}
IL_0023:
{
RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * L_4 = V_0;
NullCheck(L_4);
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_5 = RectTransform_get_rect_mE5F283FCB99A66403AC1F0607CA49C156D73A15E(L_4, /*hidden argument*/NULL);
V_2 = L_5;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6 = Rect_get_size_m731642B8F03F6CE372A2C9E2E4A925450630606C((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_2), /*hidden argument*/NULL);
V_1 = L_6;
goto IL_0037;
}
IL_0037:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = V_1;
return L_7;
}
}
// System.Void UnityEngine.RectTransform::get_rect_Injected(UnityEngine.RectU26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Rect_t35B976DE901B5423C11705E156938EA27AB402CE *);
static RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_rect_Injected_m94E98A7B55F470FD170EBDA2D47E44CF919CD89F_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_rect_Injected(UnityEngine.Rect&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::get_anchorMin_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_anchorMin_Injected_m11D468B602FFF89A8CC25685C71ACAA36609EF94_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_anchorMin_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::set_anchorMin_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method)
{
typedef void (*RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_set_anchorMin_Injected_m8BACA1B777D070E5FF42D1D8B1D7A52FFCD59E40_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::set_anchorMin_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RectTransform::get_anchorMax_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_anchorMax_Injected_m61CE870627E5CB0EFAD38D5F207BC36879378DDD_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_anchorMax_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::set_anchorMax_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method)
{
typedef void (*RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_set_anchorMax_Injected_m6BC717A6F528E130AD92994FB9A3614195FBFFB2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::set_anchorMax_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RectTransform::get_anchoredPosition_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_anchoredPosition_Injected_mCCBAEBA5DD529E03D42194FDE9C2AD1FBA8194E8_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_anchoredPosition_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::set_anchoredPosition_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method)
{
typedef void (*RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_set_anchoredPosition_Injected_mCAEE3D22ADA5AF1CB4E37813EB68BF554220DAEF_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::set_anchoredPosition_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RectTransform::get_sizeDelta_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_sizeDelta_Injected_m225C77C72E97B59C07693E339E0132E9547F8982_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_sizeDelta_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::set_sizeDelta_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method)
{
typedef void (*RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_set_sizeDelta_Injected_mD2B6AE8C7BB4DE09F1C62B4A853E592EEF9E8399_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::set_sizeDelta_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RectTransform::get_pivot_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_get_pivot_Injected_m23095C3331BE90EB3EEFFDAE0DAD791E79485F7F_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::get_pivot_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.RectTransform::set_pivot_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3 (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___value0, const RuntimeMethod* method)
{
typedef void (*RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3_ftn) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RectTransform_set_pivot_Injected_m2914C16D5516DE065A932CB43B61C6EEA3C5D3D3_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::set_pivot_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___value0);
}
#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 UnityEngine.RectTransform_ReapplyDrivenProperties::.ctor(System.Object,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void ReapplyDrivenProperties__ctor_m0633C1B8E1B058DF2C3648C96D3E4DC006A76CA7 (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * __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 UnityEngine.RectTransform_ReapplyDrivenProperties::Invoke(UnityEngine.RectTransform)
extern "C" IL2CPP_METHOD_ATTR void ReapplyDrivenProperties_Invoke_m37F24671E6F3C60B3D0C7E0CE234B8E125D5928A (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * __this, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * ___driven0, const RuntimeMethod* method)
{
DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* delegatesToInvoke = __this->get_delegates_11();
if (delegatesToInvoke != NULL)
{
il2cpp_array_size_t length = delegatesToInvoke->max_length;
for (il2cpp_array_size_t i = 0; i < length; i++)
{
Delegate_t* currentDelegate = (delegatesToInvoke)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i));
Il2CppMethodPointer targetMethodPointer = currentDelegate->get_method_ptr_0();
RuntimeMethod* targetMethod = (RuntimeMethod*)(currentDelegate->get_method_3());
RuntimeObject* targetThis = currentDelegate->get_m_target_2();
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 void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, targetMethod);
}
else
{
// closed
typedef void (*FunctionPointerType) (void*, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, ___driven0, targetMethod);
}
}
else if (___parameterCount != 1)
{
// 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_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, ___driven0);
else
GenericVirtActionInvoker0::Invoke(targetMethod, ___driven0);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), ___driven0);
else
VirtActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), ___driven0);
}
}
}
else
{
typedef void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, 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_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (targetThis == NULL)
{
typedef void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, targetMethod);
}
else if (il2cpp_codegen_method_is_generic_instance(targetMethod))
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
GenericInterfaceActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(targetMethod, targetThis, ___driven0);
else
GenericVirtActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(targetMethod, targetThis, ___driven0);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis, ___driven0);
else
VirtActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis, ___driven0);
}
}
}
else
{
typedef void (*FunctionPointerType) (void*, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, ___driven0, targetMethod);
}
}
}
}
else
{
Il2CppMethodPointer targetMethodPointer = __this->get_method_ptr_0();
RuntimeMethod* targetMethod = (RuntimeMethod*)(__this->get_method_3());
RuntimeObject* targetThis = __this->get_m_target_2();
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 void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, targetMethod);
}
else
{
// closed
typedef void (*FunctionPointerType) (void*, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, ___driven0, targetMethod);
}
}
else if (___parameterCount != 1)
{
// 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_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, ___driven0);
else
GenericVirtActionInvoker0::Invoke(targetMethod, ___driven0);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), ___driven0);
else
VirtActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), ___driven0);
}
}
}
else
{
typedef void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, 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_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (targetThis == NULL)
{
typedef void (*FunctionPointerType) (RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(___driven0, targetMethod);
}
else if (il2cpp_codegen_method_is_generic_instance(targetMethod))
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
GenericInterfaceActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(targetMethod, targetThis, ___driven0);
else
GenericVirtActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(targetMethod, targetThis, ___driven0);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis, ___driven0);
else
VirtActionInvoker1< RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * >::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis, ___driven0);
}
}
}
else
{
typedef void (*FunctionPointerType) (void*, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, ___driven0, targetMethod);
}
}
}
}
// System.IAsyncResult UnityEngine.RectTransform_ReapplyDrivenProperties::BeginInvoke(UnityEngine.RectTransform,System.AsyncCallback,System.Object)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject* ReapplyDrivenProperties_BeginInvoke_m5C352648167A36402E86BEDDCAE8FA4784C03604 (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * __this, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 * ___driven0, AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 * ___callback1, RuntimeObject * ___object2, const RuntimeMethod* method)
{
void *__d_args[2] = {0};
__d_args[0] = ___driven0;
return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((RuntimeDelegate*)__this, __d_args, (RuntimeDelegate*)___callback1, (RuntimeObject*)___object2);
}
// System.Void UnityEngine.RectTransform_ReapplyDrivenProperties::EndInvoke(System.IAsyncResult)
extern "C" IL2CPP_METHOD_ATTR void ReapplyDrivenProperties_EndInvoke_mC8DF7BD47EC8976C477491961F44912BA4C0CD7C (ReapplyDrivenProperties_t431F4FBD9C59AE097FE33C4354CC6251B01B527D * __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
// System.Void UnityEngine.ReflectionProbe::CallReflectionProbeEvent(UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe_ReflectionProbeEvent)
extern "C" IL2CPP_METHOD_ATTR void ReflectionProbe_CallReflectionProbeEvent_mA6273CE84793FD3CC7AA0506C525EED4F4935B62 (ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C * ___probe0, int32_t ___probeEvent1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (ReflectionProbe_CallReflectionProbeEvent_mA6273CE84793FD3CC7AA0506C525EED4F4935B62_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * V_0 = NULL;
{
Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * L_0 = ((ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_StaticFields*)il2cpp_codegen_static_fields_for(ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_il2cpp_TypeInfo_var))->get_reflectionProbeChanged_4();
V_0 = L_0;
Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * L_1 = V_0;
if (!L_1)
{
goto IL_0015;
}
}
{
Action_2_tAD3FD2CFE6F2B8404049F867BD190C4B64593314 * L_2 = V_0;
ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C * L_3 = ___probe0;
int32_t L_4 = ___probeEvent1;
NullCheck(L_2);
Action_2_Invoke_mA6D34CA6EB25D5F388A922026B9DFF9B098D022B(L_2, L_3, L_4, /*hidden argument*/Action_2_Invoke_mA6D34CA6EB25D5F388A922026B9DFF9B098D022B_RuntimeMethod_var);
}
IL_0015:
{
return;
}
}
// System.Void UnityEngine.ReflectionProbe::CallSetDefaultReflection(UnityEngine.Cubemap)
extern "C" IL2CPP_METHOD_ATTR void ReflectionProbe_CallSetDefaultReflection_m97EFBE5F8A57BB7C8CA65C65FF4BD9889060325D (Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF * ___defaultReflectionCubemap0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (ReflectionProbe_CallSetDefaultReflection_m97EFBE5F8A57BB7C8CA65C65FF4BD9889060325D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * V_0 = NULL;
{
Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * L_0 = ((ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_StaticFields*)il2cpp_codegen_static_fields_for(ReflectionProbe_t8CA59E05D8F20EDFE174BFF49CD3FB2DC62F207C_il2cpp_TypeInfo_var))->get_defaultReflectionSet_5();
V_0 = L_0;
Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * L_1 = V_0;
if (!L_1)
{
goto IL_0014;
}
}
{
Action_1_t72B039F88BDD04A9A013812982859354EDA03D63 * L_2 = V_0;
Cubemap_tBFAC336F35E8D7499397F07A41505BD98F4491AF * L_3 = ___defaultReflectionCubemap0;
NullCheck(L_2);
Action_1_Invoke_mBE4AA470D3BDABBC78FED7766EA8923E86E7D764(L_2, L_3, /*hidden argument*/Action_1_Invoke_mBE4AA470D3BDABBC78FED7766EA8923E86E7D764_RuntimeMethod_var);
}
IL_0014:
{
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 UnityEngine.RenderTexture::.ctor()
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_mFB50DBD262C99B38016F518AA0FBF753FE22D13A (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method)
{
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(UnityEngine.RenderTextureDescriptor)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_mEC30DF610263D5A16EC16E34BD86AD4BC0C87A9B (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E ___desc0, const RuntimeMethod* method)
{
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_0 = ___desc0;
RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01(L_0, /*hidden argument*/NULL);
RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A(__this, /*hidden argument*/NULL);
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_1 = ___desc0;
RenderTexture_SetRenderTextureDescriptor_mF584353E0834F202C955EAC6499CBD0C6A571527(__this, L_1, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(UnityEngine.RenderTexture)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_m3B3534A6C9696C5CB12ADC78F922237F69CEA33A (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * ___textureToCopy0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RenderTexture__ctor_m3B3534A6C9696C5CB12ADC78F922237F69CEA33A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * L_0 = ___textureToCopy0;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_1 = Object_op_Equality_mBC2401774F3BE33E8CF6F0A8148E66C95D6CFF1C(L_0, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_001e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_2 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_2, _stringLiteral9622BAC4F6B501635BD767B80B6A71A3D61DDBC8, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, RenderTexture__ctor_m3B3534A6C9696C5CB12ADC78F922237F69CEA33A_RuntimeMethod_var);
}
IL_001e:
{
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * L_3 = ___textureToCopy0;
NullCheck(L_3);
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_4 = RenderTexture_get_descriptor_m67E7BCFA6A50634F6E3863E2F5BA1D4923E4DD00(L_3, /*hidden argument*/NULL);
RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01(L_4, /*hidden argument*/NULL);
RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A(__this, /*hidden argument*/NULL);
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * L_5 = ___textureToCopy0;
NullCheck(L_5);
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_6 = RenderTexture_get_descriptor_m67E7BCFA6A50634F6E3863E2F5BA1D4923E4DD00(L_5, /*hidden argument*/NULL);
RenderTexture_SetRenderTextureDescriptor_mF584353E0834F202C955EAC6499CBD0C6A571527(__this, L_6, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_m7C2F727F747019FC14CF7FB5FF5C29A349F9FCD9 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, const RuntimeMethod* method)
{
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___format3;
bool L_1 = Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED(__this, L_0, 3, /*hidden argument*/NULL);
if (L_1)
{
goto IL_001a;
}
}
{
goto IL_004f;
}
IL_001a:
{
RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A(__this, /*hidden argument*/NULL);
int32_t L_2 = ___width0;
VirtActionInvoker1< int32_t >::Invoke(5 /* System.Void UnityEngine.Texture::set_width(System.Int32) */, __this, L_2);
int32_t L_3 = ___height1;
VirtActionInvoker1< int32_t >::Invoke(7 /* System.Void UnityEngine.Texture::set_height(System.Int32) */, __this, L_3);
int32_t L_4 = ___depth2;
RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0(__this, L_4, /*hidden argument*/NULL);
int32_t L_5 = ___format3;
int32_t L_6 = GraphicsFormatUtility_GetRenderTextureFormat_m4A8B97E7A7BD031B38EE1C5DA0C93B0F65016468(L_5, /*hidden argument*/NULL);
RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F(__this, L_6, /*hidden argument*/NULL);
int32_t L_7 = ___format3;
bool L_8 = GraphicsFormatUtility_IsSRGBFormat_mBF49E7451A3960BD67B1F13745BCA3AC5C8AC66E(L_7, /*hidden argument*/NULL);
RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE(__this, L_8, /*hidden argument*/NULL);
}
IL_004f:
{
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.RenderTextureFormat,UnityEngine.RenderTextureReadWrite)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_m32060CA5A5C306C485DB6AF9B9050B2FF2AB3A4C (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, int32_t ___readWrite4, const RuntimeMethod* method)
{
bool V_0 = false;
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * G_B4_0 = NULL;
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * G_B3_0 = NULL;
int32_t G_B5_0 = 0;
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * G_B5_1 = NULL;
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___format3;
bool L_1 = Texture_ValidateFormat_m12332BF76D9B5BBFFCE74D855928AEA01984DF6C(__this, L_0, /*hidden argument*/NULL);
if (L_1)
{
goto IL_0019;
}
}
{
goto IL_005d;
}
IL_0019:
{
RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A(__this, /*hidden argument*/NULL);
int32_t L_2 = ___width0;
VirtActionInvoker1< int32_t >::Invoke(5 /* System.Void UnityEngine.Texture::set_width(System.Int32) */, __this, L_2);
int32_t L_3 = ___height1;
VirtActionInvoker1< int32_t >::Invoke(7 /* System.Void UnityEngine.Texture::set_height(System.Int32) */, __this, L_3);
int32_t L_4 = ___depth2;
RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0(__this, L_4, /*hidden argument*/NULL);
int32_t L_5 = ___format3;
RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F(__this, L_5, /*hidden argument*/NULL);
int32_t L_6 = QualitySettings_get_activeColorSpace_m13DBB3B679AA5D5CEA05C2B4517A1FDE1B2CF9B0(/*hidden argument*/NULL);
V_0 = (bool)((((int32_t)L_6) == ((int32_t)1))? 1 : 0);
int32_t L_7 = ___readWrite4;
G_B3_0 = __this;
if (L_7)
{
G_B4_0 = __this;
goto IL_0053;
}
}
{
bool L_8 = V_0;
G_B5_0 = ((int32_t)(L_8));
G_B5_1 = G_B3_0;
goto IL_0058;
}
IL_0053:
{
int32_t L_9 = ___readWrite4;
G_B5_0 = ((((int32_t)L_9) == ((int32_t)2))? 1 : 0);
G_B5_1 = G_B4_0;
}
IL_0058:
{
NullCheck(G_B5_1);
RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE(G_B5_1, (bool)G_B5_0, /*hidden argument*/NULL);
}
IL_005d:
{
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_m0FF5DDAB599ED301091CF23D4C76691D8EC70CA5 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, const RuntimeMethod* method)
{
{
int32_t L_0 = ___width0;
int32_t L_1 = ___height1;
int32_t L_2 = ___depth2;
int32_t L_3 = ___format3;
RenderTexture__ctor_m32060CA5A5C306C485DB6AF9B9050B2FF2AB3A4C(__this, L_0, L_1, L_2, L_3, 0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RenderTexture::.ctor(System.Int32,System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture__ctor_mB54A3ABBD56D38AB762D0AB8B789E2771BC42A7D (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, const RuntimeMethod* method)
{
{
int32_t L_0 = ___width0;
int32_t L_1 = ___height1;
int32_t L_2 = ___depth2;
RenderTexture__ctor_m32060CA5A5C306C485DB6AF9B9050B2FF2AB3A4C(__this, L_0, L_1, L_2, 7, 0, /*hidden argument*/NULL);
return;
}
}
// System.Int32 UnityEngine.RenderTexture::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTexture_get_width_m246F1304B26711BE9D18EE186F130590B9EDADDB (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method)
{
typedef int32_t (*RenderTexture_get_width_m246F1304B26711BE9D18EE186F130590B9EDADDB_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *);
static RenderTexture_get_width_m246F1304B26711BE9D18EE186F130590B9EDADDB_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_get_width_m246F1304B26711BE9D18EE186F130590B9EDADDB_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::get_width()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.RenderTexture::set_width(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_width_m10EF29F6167493A1C5826869ACB10EA9C7A5BDCE (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_set_width_m10EF29F6167493A1C5826869ACB10EA9C7A5BDCE_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, int32_t);
static RenderTexture_set_width_m10EF29F6167493A1C5826869ACB10EA9C7A5BDCE_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_set_width_m10EF29F6167493A1C5826869ACB10EA9C7A5BDCE_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::set_width(System.Int32)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Int32 UnityEngine.RenderTexture::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTexture_get_height_m26FBCCE11E1C6C9A47566CC4421258BAF5F35CE6 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method)
{
typedef int32_t (*RenderTexture_get_height_m26FBCCE11E1C6C9A47566CC4421258BAF5F35CE6_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *);
static RenderTexture_get_height_m26FBCCE11E1C6C9A47566CC4421258BAF5F35CE6_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_get_height_m26FBCCE11E1C6C9A47566CC4421258BAF5F35CE6_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::get_height()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.RenderTexture::set_height(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_height_m4402FEFDF6D35ABE3FBA485FE9A144FB4204B561 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_set_height_m4402FEFDF6D35ABE3FBA485FE9A144FB4204B561_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, int32_t);
static RenderTexture_set_height_m4402FEFDF6D35ABE3FBA485FE9A144FB4204B561_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_set_height_m4402FEFDF6D35ABE3FBA485FE9A144FB4204B561_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::set_height(System.Int32)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RenderTexture::set_format(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, int32_t);
static RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_set_format_m13C719F83DE81A973984797D890CC84A6B74CD4F_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::set_format(UnityEngine.RenderTextureFormat)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.RenderTexture::SetSRGBReadWrite(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, bool ___srgb0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, bool);
static RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_SetSRGBReadWrite_mD553522060790CB4984886D2508B79897C3DC2DE_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::SetSRGBReadWrite(System.Boolean)");
_il2cpp_icall_func(__this, ___srgb0);
}
// System.Void UnityEngine.RenderTexture::Internal_Create(UnityEngine.RenderTexture)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * ___rt0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *);
static RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_Internal_Create_m924B30E7AFD36150F0279057C3A3869D94D7646A_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::Internal_Create(UnityEngine.RenderTexture)");
_il2cpp_icall_func(___rt0);
}
// System.Void UnityEngine.RenderTexture::SetRenderTextureDescriptor(UnityEngine.RenderTextureDescriptor)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetRenderTextureDescriptor_mF584353E0834F202C955EAC6499CBD0C6A571527 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E ___desc0, const RuntimeMethod* method)
{
{
RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019(__this, (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.RenderTextureDescriptor UnityEngine.RenderTexture::GetDescriptor()
extern "C" IL2CPP_METHOD_ATTR RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E RenderTexture_GetDescriptor_mBDAE7C44038663205A31293B7C4C5AE763CD1128 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E V_0;
memset(&V_0, 0, sizeof(V_0));
{
RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64(__this, (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&V_0), /*hidden argument*/NULL);
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.RenderTexture::set_depth(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, int32_t);
static RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_set_depth_mD4BCB0A9251B7FCF570459A705E03FFFEA4DB3B0_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::set_depth(System.Int32)");
_il2cpp_icall_func(__this, ___value0);
}
// UnityEngine.RenderTextureDescriptor UnityEngine.RenderTexture::get_descriptor()
extern "C" IL2CPP_METHOD_ATTR RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E RenderTexture_get_descriptor_m67E7BCFA6A50634F6E3863E2F5BA1D4923E4DD00 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E V_0;
memset(&V_0, 0, sizeof(V_0));
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_0 = RenderTexture_GetDescriptor_mBDAE7C44038663205A31293B7C4C5AE763CD1128(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.RenderTexture::ValidateRenderTextureDesc(UnityEngine.RenderTextureDescriptor)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E ___desc0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = RenderTextureDescriptor_get_width_m225FBFD7C33BD02D6879A93F1D57997BC251F3F5((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_0) > ((int32_t)0)))
{
goto IL_001e;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_1 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_1, _stringLiteralDF84E69D42614DDC5037B5740BFBC7BCA76BD3C8, _stringLiteral773F732BB4C12DF7AEA8D2587D095243F3DE1F33, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var);
}
IL_001e:
{
int32_t L_2 = RenderTextureDescriptor_get_height_m947A620B3D28090A57A5DC0D6A126CBBF818B97F((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_2) > ((int32_t)0)))
{
goto IL_003b;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_3 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_3, _stringLiteral0195A2CD9837056D512C72FCF0B07B7950840600, _stringLiteralE36A6C883582836AFA54C902F5ABB5830C87CB98, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var);
}
IL_003b:
{
int32_t L_4 = RenderTextureDescriptor_get_volumeDepth_mBC82F4621E4158E3D2F2457487D1C220AA782AC6((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_4) > ((int32_t)0)))
{
goto IL_0058;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_5 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_5, _stringLiteralBED35A2027CF27E62C61CC24566ECF476DEC4D84, _stringLiteral7AFD2E732D417C70A8539EA20FA6602334C88EFB, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var);
}
IL_0058:
{
int32_t L_6 = RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_6) == ((int32_t)1)))
{
goto IL_009c;
}
}
{
int32_t L_7 = RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_7) == ((int32_t)2)))
{
goto IL_009c;
}
}
{
int32_t L_8 = RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_8) == ((int32_t)4)))
{
goto IL_009c;
}
}
{
int32_t L_9 = RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_9) == ((int32_t)8)))
{
goto IL_009c;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_10 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_10, _stringLiteralEE90BCB77C614A3203BEBE34D51181223221F2F8, _stringLiteral1B86617DB5EF03C4CB9EC553AEFC55A7D37CB81D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var);
}
IL_009c:
{
int32_t L_11 = RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if (!L_11)
{
goto IL_00d4;
}
}
{
int32_t L_12 = RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_12) == ((int32_t)((int32_t)16))))
{
goto IL_00d4;
}
}
{
int32_t L_13 = RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *)(&___desc0), /*hidden argument*/NULL);
if ((((int32_t)L_13) == ((int32_t)((int32_t)24))))
{
goto IL_00d4;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_14 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_14, _stringLiteralD58E0065873E35CE94365BC4E2C839F9DCECB978, _stringLiteralC69322742BF4E0B4FA19AA924C3BB4392833F455, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_14, NULL, RenderTexture_ValidateRenderTextureDesc_mE4BA319BF91FCA90B517EF080E84EE395A4EAD01_RuntimeMethod_var);
}
IL_00d4:
{
return;
}
}
// System.Void UnityEngine.RenderTexture::SetRenderTextureDescriptor_Injected(UnityEngine.RenderTextureDescriptorU26)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * ___desc0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *);
static RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_SetRenderTextureDescriptor_Injected_m72AC0A28D6BF9041721D95E43BAC302A56C99019_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::SetRenderTextureDescriptor_Injected(UnityEngine.RenderTextureDescriptor&)");
_il2cpp_icall_func(__this, ___desc0);
}
// System.Void UnityEngine.RenderTexture::GetDescriptor_Injected(UnityEngine.RenderTextureDescriptorU26)
extern "C" IL2CPP_METHOD_ATTR void RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64 (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * __this, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * ___ret0, const RuntimeMethod* method)
{
typedef void (*RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64_ftn) (RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 *, RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *);
static RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (RenderTexture_GetDescriptor_Injected_m9A137437A3EAD31E2AE4BC123329BF3945B22A64_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::GetDescriptor_Injected(UnityEngine.RenderTextureDescriptor&)");
_il2cpp_icall_func(__this, ___ret0);
}
#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.Int32 UnityEngine.RenderTextureDescriptor::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_width_m225FBFD7C33BD02D6879A93F1D57997BC251F3F5 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_U3CwidthU3Ek__BackingField_0();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t RenderTextureDescriptor_get_width_m225FBFD7C33BD02D6879A93F1D57997BC251F3F5_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * _thisAdjusted = reinterpret_cast<RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *>(__this + 1);
return RenderTextureDescriptor_get_width_m225FBFD7C33BD02D6879A93F1D57997BC251F3F5(_thisAdjusted, method);
}
// System.Int32 UnityEngine.RenderTextureDescriptor::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_height_m947A620B3D28090A57A5DC0D6A126CBBF818B97F (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_U3CheightU3Ek__BackingField_1();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t RenderTextureDescriptor_get_height_m947A620B3D28090A57A5DC0D6A126CBBF818B97F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * _thisAdjusted = reinterpret_cast<RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *>(__this + 1);
return RenderTextureDescriptor_get_height_m947A620B3D28090A57A5DC0D6A126CBBF818B97F(_thisAdjusted, method);
}
// System.Int32 UnityEngine.RenderTextureDescriptor::get_msaaSamples()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_U3CmsaaSamplesU3Ek__BackingField_2();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * _thisAdjusted = reinterpret_cast<RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *>(__this + 1);
return RenderTextureDescriptor_get_msaaSamples_mEBE0D743E17068D1898DAE2D281C913E39A33616(_thisAdjusted, method);
}
// System.Int32 UnityEngine.RenderTextureDescriptor::get_volumeDepth()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_volumeDepth_mBC82F4621E4158E3D2F2457487D1C220AA782AC6 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_U3CvolumeDepthU3Ek__BackingField_3();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t RenderTextureDescriptor_get_volumeDepth_mBC82F4621E4158E3D2F2457487D1C220AA782AC6_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * _thisAdjusted = reinterpret_cast<RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *>(__this + 1);
return RenderTextureDescriptor_get_volumeDepth_mBC82F4621E4158E3D2F2457487D1C220AA782AC6(_thisAdjusted, method);
}
// System.Int32 UnityEngine.RenderTextureDescriptor::get_depthBufferBits()
extern "C" IL2CPP_METHOD_ATTR int32_t RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996 (RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
{
IL2CPP_RUNTIME_CLASS_INIT(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_il2cpp_TypeInfo_var);
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = ((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_StaticFields*)il2cpp_codegen_static_fields_for(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_il2cpp_TypeInfo_var))->get_depthFormatBits_6();
int32_t L_1 = __this->get__depthBufferBits_5();
NullCheck(L_0);
int32_t L_2 = L_1;
int32_t L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
V_0 = L_3;
goto IL_0013;
}
IL_0013:
{
int32_t L_4 = V_0;
return L_4;
}
}
extern "C" int32_t RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E * _thisAdjusted = reinterpret_cast<RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E *>(__this + 1);
return RenderTextureDescriptor_get_depthBufferBits_m51E82C47A0CA0BD8B20F90D43169C956C4F24996(_thisAdjusted, method);
}
// System.Void UnityEngine.RenderTextureDescriptor::.cctor()
extern "C" IL2CPP_METHOD_ATTR void RenderTextureDescriptor__cctor_mA5675E6684E1E8C26E848D2390FB2ABE8E3C11FD (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (RenderTextureDescriptor__cctor_mA5675E6684E1E8C26E848D2390FB2ABE8E3C11FD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)3);
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_1 = L_0;
NullCheck(L_1);
(L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (int32_t)((int32_t)16));
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_2 = L_1;
NullCheck(L_2);
(L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (int32_t)((int32_t)24));
((RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_StaticFields*)il2cpp_codegen_static_fields_for(RenderTextureDescriptor_t74FEC57A54F89E11748E1865F7DCA3565BFAF58E_il2cpp_TypeInfo_var))->set_depthFormatBits_6(L_2);
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
// UnityEngine.Material UnityEngine.Renderer::GetMaterial()
extern "C" IL2CPP_METHOD_ATTR Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, const RuntimeMethod* method)
{
typedef Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * (*Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B_ftn) (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 *);
static Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Renderer::GetMaterial()");
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Int32 UnityEngine.Renderer::get_sortingLayerID()
extern "C" IL2CPP_METHOD_ATTR int32_t Renderer_get_sortingLayerID_m2E204E68869EDA3176C334AE1C62219F380A5D85 (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Renderer_get_sortingLayerID_m2E204E68869EDA3176C334AE1C62219F380A5D85_ftn) (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 *);
static Renderer_get_sortingLayerID_m2E204E68869EDA3176C334AE1C62219F380A5D85_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Renderer_get_sortingLayerID_m2E204E68869EDA3176C334AE1C62219F380A5D85_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Renderer::get_sortingLayerID()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Int32 UnityEngine.Renderer::get_sortingOrder()
extern "C" IL2CPP_METHOD_ATTR int32_t Renderer_get_sortingOrder_m33DD50ED293AA672FDAD862B4A4865666B5FEBAF (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Renderer_get_sortingOrder_m33DD50ED293AA672FDAD862B4A4865666B5FEBAF_ftn) (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 *);
static Renderer_get_sortingOrder_m33DD50ED293AA672FDAD862B4A4865666B5FEBAF_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Renderer_get_sortingOrder_m33DD50ED293AA672FDAD862B4A4865666B5FEBAF_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Renderer::get_sortingOrder()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.Renderer::set_sortingOrder(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Renderer_set_sortingOrder_mBCE1207CDB46CB6BA4583B9C3FB4A2D28DC27D81 (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*Renderer_set_sortingOrder_mBCE1207CDB46CB6BA4583B9C3FB4A2D28DC27D81_ftn) (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 *, int32_t);
static Renderer_set_sortingOrder_mBCE1207CDB46CB6BA4583B9C3FB4A2D28DC27D81_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Renderer_set_sortingOrder_mBCE1207CDB46CB6BA4583B9C3FB4A2D28DC27D81_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Renderer::set_sortingOrder(System.Int32)");
_il2cpp_icall_func(__this, ___value0);
}
// UnityEngine.Material UnityEngine.Renderer::get_material()
extern "C" IL2CPP_METHOD_ATTR Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * Renderer_get_material_m4434513446B652652CE9FD766B0E3D1D34C4A617 (Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * __this, const RuntimeMethod* method)
{
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * V_0 = NULL;
{
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * L_0 = Renderer_GetMaterial_m370ADC0227BC648BEFAAF85AFB09722E8B20024B(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * L_1 = V_0;
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
#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
#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 UnityEngine.RequireComponent::.ctor(System.Type)
extern "C" IL2CPP_METHOD_ATTR void RequireComponent__ctor_m27819B55F8BD1517378CEFECA00FB183A13D9397 (RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1 * __this, Type_t * ___requiredComponent0, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
Type_t * L_0 = ___requiredComponent0;
__this->set_m_Type0_0(L_0);
return;
}
}
// System.Void UnityEngine.RequireComponent::.ctor(System.Type,System.Type)
extern "C" IL2CPP_METHOD_ATTR void RequireComponent__ctor_m2833BC8FBE2C72EE6F0CA08C4617BF84CB7D5BE6 (RequireComponent_t07725D895B775D6ED768EF52D4EE326539BA65E1 * __this, Type_t * ___requiredComponent0, Type_t * ___requiredComponent21, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
Type_t * L_0 = ___requiredComponent0;
__this->set_m_Type0_0(L_0);
Type_t * L_1 = ___requiredComponent21;
__this->set_m_Type1_1(L_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.String UnityEngine.Resolution::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04 (Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)3);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0;
int32_t L_2 = __this->get_m_Width_0();
int32_t L_3 = L_2;
RuntimeObject * L_4 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_3);
NullCheck(L_1);
ArrayElementTypeCheck (L_1, L_4);
(L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = L_1;
int32_t L_6 = __this->get_m_Height_1();
int32_t L_7 = L_6;
RuntimeObject * L_8 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_7);
NullCheck(L_5);
ArrayElementTypeCheck (L_5, L_8);
(L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = L_5;
int32_t L_10 = __this->get_m_RefreshRate_2();
int32_t L_11 = L_10;
RuntimeObject * L_12 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_11);
NullCheck(L_9);
ArrayElementTypeCheck (L_9, L_12);
(L_9)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_12);
String_t* L_13 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387(_stringLiteralEF9399EF10CEAB35F60B653ECC2E3A5D41F17059, L_9, /*hidden argument*/NULL);
V_0 = L_13;
goto IL_0041;
}
IL_0041:
{
String_t* L_14 = V_0;
return L_14;
}
}
extern "C" String_t* Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90 * _thisAdjusted = reinterpret_cast<Resolution_t350D132B8526B5211E0BF8B22782F20D55994A90 *>(__this + 1);
return Resolution_ToString_m42289CE0FC4ED41A9DC62B398F46F7954BC52F04(_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
// Conversion methods for marshalling of: UnityEngine.ResourceRequest
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_pinvoke(const ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486& unmarshaled, ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_pinvoke& marshaled)
{
Exception_t* ___m_Type_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Type' of type 'ResourceRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Type_3Exception, NULL, NULL);
}
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_pinvoke_back(const ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_pinvoke& marshaled, ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486& unmarshaled)
{
Exception_t* ___m_Type_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Type' of type 'ResourceRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Type_3Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.ResourceRequest
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_pinvoke_cleanup(ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.ResourceRequest
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_com(const ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486& unmarshaled, ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_com& marshaled)
{
Exception_t* ___m_Type_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Type' of type 'ResourceRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Type_3Exception, NULL, NULL);
}
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_com_back(const ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_com& marshaled, ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486& unmarshaled)
{
Exception_t* ___m_Type_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Type' of type 'ResourceRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Type_3Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.ResourceRequest
extern "C" void ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshal_com_cleanup(ResourceRequest_t22744D420D4DEF7C924A01EB117C0FEC6B07D486_marshaled_com& marshaled)
{
}
#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
// UnityEngine.Object UnityEngine.Resources::Load(System.String,System.Type)
extern "C" IL2CPP_METHOD_ATTR Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * Resources_Load_mF0FA033BF566CDDA6A0E69BB97283B44C40726E7 (String_t* ___path0, Type_t * ___systemTypeInstance1, const RuntimeMethod* method)
{
typedef Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * (*Resources_Load_mF0FA033BF566CDDA6A0E69BB97283B44C40726E7_ftn) (String_t*, Type_t *);
static Resources_Load_mF0FA033BF566CDDA6A0E69BB97283B44C40726E7_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Resources_Load_mF0FA033BF566CDDA6A0E69BB97283B44C40726E7_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Resources::Load(System.String,System.Type)");
Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * retVal = _il2cpp_icall_func(___path0, ___systemTypeInstance1);
return retVal;
}
// UnityEngine.Object UnityEngine.Resources::GetBuiltinResource(System.Type,System.String)
extern "C" IL2CPP_METHOD_ATTR Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * Resources_GetBuiltinResource_m73DDAC485E1E06C925628AA7285AC63D0797BD0A (Type_t * ___type0, String_t* ___path1, const RuntimeMethod* method)
{
typedef Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * (*Resources_GetBuiltinResource_m73DDAC485E1E06C925628AA7285AC63D0797BD0A_ftn) (Type_t *, String_t*);
static Resources_GetBuiltinResource_m73DDAC485E1E06C925628AA7285AC63D0797BD0A_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Resources_GetBuiltinResource_m73DDAC485E1E06C925628AA7285AC63D0797BD0A_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Resources::GetBuiltinResource(System.Type,System.String)");
Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * retVal = _il2cpp_icall_func(___type0, ___path1);
return retVal;
}
#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 UnityEngine.RuntimeInitializeOnLoadMethodAttribute::.ctor(UnityEngine.RuntimeInitializeLoadType)
extern "C" IL2CPP_METHOD_ATTR void RuntimeInitializeOnLoadMethodAttribute__ctor_mB64D0D2B5788BC105D3640A22A70FCD5183CB413 (RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70 * __this, int32_t ___loadType0, const RuntimeMethod* method)
{
{
PreserveAttribute__ctor_mD842EE86496947B39FE0FBC67393CE4401AC53AA(__this, /*hidden argument*/NULL);
int32_t L_0 = ___loadType0;
RuntimeInitializeOnLoadMethodAttribute_set_loadType_m99C91FFBB561C344A90B86F6AF9ED8642CB87532(__this, L_0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.RuntimeInitializeOnLoadMethodAttribute::set_loadType(UnityEngine.RuntimeInitializeLoadType)
extern "C" IL2CPP_METHOD_ATTR void RuntimeInitializeOnLoadMethodAttribute_set_loadType_m99C91FFBB561C344A90B86F6AF9ED8642CB87532 (RuntimeInitializeOnLoadMethodAttribute_t885895E16D3B9209752951C406B870126AA69D70 * __this, int32_t ___value0, const RuntimeMethod* method)
{
{
int32_t L_0 = ___value0;
__this->set_U3CloadTypeU3Ek__BackingField_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
#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 UnityEngine.SceneManagement.LoadSceneParameters::.ctor(UnityEngine.SceneManagement.LoadSceneMode)
extern "C" IL2CPP_METHOD_ATTR void LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A (LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A * __this, int32_t ___mode0, const RuntimeMethod* method)
{
{
int32_t L_0 = ___mode0;
__this->set_m_LoadSceneMode_0(L_0);
__this->set_m_LocalPhysicsMode_1(0);
return;
}
}
extern "C" void LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A_AdjustorThunk (RuntimeObject * __this, int32_t ___mode0, const RuntimeMethod* method)
{
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A * _thisAdjusted = reinterpret_cast<LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A *>(__this + 1);
LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A(_thisAdjusted, ___mode0, 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.Int32 UnityEngine.SceneManagement.Scene::get_handle()
extern "C" IL2CPP_METHOD_ATTR int32_t Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_m_Handle_0();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * _thisAdjusted = reinterpret_cast<Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *>(__this + 1);
return Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9(_thisAdjusted, method);
}
// System.Int32 UnityEngine.SceneManagement.Scene::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Scene_GetHashCode_m65BBB604A5496CF1F2C129860F45D0E437499E34 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_m_Handle_0();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t Scene_GetHashCode_m65BBB604A5496CF1F2C129860F45D0E437499E34_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * _thisAdjusted = reinterpret_cast<Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *>(__this + 1);
return Scene_GetHashCode_m65BBB604A5496CF1F2C129860F45D0E437499E34(_thisAdjusted, method);
}
// System.Boolean UnityEngine.SceneManagement.Scene::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 V_1;
memset(&V_1, 0, sizeof(V_1));
{
RuntimeObject * L_0 = ___other0;
if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_il2cpp_TypeInfo_var)))
{
goto IL_0013;
}
}
{
V_0 = (bool)0;
goto IL_002f;
}
IL_0013:
{
RuntimeObject * L_1 = ___other0;
V_1 = ((*(Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *)((Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *)UnBox(L_1, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2_il2cpp_TypeInfo_var))));
int32_t L_2 = Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9((Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *)__this, /*hidden argument*/NULL);
int32_t L_3 = Scene_get_handle_mFAB5C41D41B90B9CEBB3918A6F3638BD41E980C9((Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *)(&V_1), /*hidden argument*/NULL);
V_0 = (bool)((((int32_t)L_2) == ((int32_t)L_3))? 1 : 0);
goto IL_002f;
}
IL_002f:
{
bool L_4 = V_0;
return L_4;
}
}
extern "C" bool Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * _thisAdjusted = reinterpret_cast<Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *>(__this + 1);
return Scene_Equals_mD5738AF0B92757DED12A90F136716A5E2DDE3F54(_thisAdjusted, ___other0, 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
// System.Int32 UnityEngine.SceneManagement.SceneManager::get_sceneCount()
extern "C" IL2CPP_METHOD_ATTR int32_t SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84 (const RuntimeMethod* method)
{
typedef int32_t (*SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84_ftn) ();
static SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SceneManagement.SceneManager::get_sceneCount()");
int32_t retVal = _il2cpp_icall_func();
return retVal;
}
// UnityEngine.SceneManagement.Scene UnityEngine.SceneManagement.SceneManager::GetSceneAt(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 SceneManager_GetSceneAt_m2D4105040A31A5A42E79A4E617028E84FC357C8A (int32_t ___index0, const RuntimeMethod* method)
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148(L_0, (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *)(&V_0), /*hidden argument*/NULL);
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_1 = V_0;
return L_1;
}
}
// UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal(System.String,System.Int32,UnityEngine.SceneManagement.LoadSceneParameters,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * SceneManager_LoadSceneAsyncNameIndexInternal_m542937B4FCCE8B1AAC326E1E1F9060ECEDCB6159 (String_t* ___sceneName0, int32_t ___sceneBuildIndex1, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A ___parameters2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method)
{
{
String_t* L_0 = ___sceneName0;
int32_t L_1 = ___sceneBuildIndex1;
bool L_2 = ___mustCompleteNextFrame3;
AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * L_3 = SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1(L_0, L_1, (LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A *)(&___parameters2), L_2, /*hidden argument*/NULL);
return L_3;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::LoadScene(System.String,UnityEngine.SceneManagement.LoadSceneMode)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_LoadScene_m9721867D46BC827D58271AD235267B0B0865F115 (String_t* ___sceneName0, int32_t ___mode1, const RuntimeMethod* method)
{
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___mode1;
LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A((LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A *)(&V_0), L_0, /*hidden argument*/NULL);
String_t* L_1 = ___sceneName0;
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A L_2 = V_0;
SceneManager_LoadScene_m4641E278E1E9A1690A46900F1787B6F1070188CF(L_1, L_2, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::LoadScene(System.String)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_LoadScene_mFC850AC783E5EA05D6154976385DFECC251CDFB9 (String_t* ___sceneName0, const RuntimeMethod* method)
{
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A V_0;
memset(&V_0, 0, sizeof(V_0));
{
LoadSceneParameters__ctor_m2E00BEC64DCC48351831B7BE9088D9B6AF62102A((LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A *)(&V_0), 0, /*hidden argument*/NULL);
String_t* L_0 = ___sceneName0;
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A L_1 = V_0;
SceneManager_LoadScene_m4641E278E1E9A1690A46900F1787B6F1070188CF(L_0, L_1, /*hidden argument*/NULL);
return;
}
}
// UnityEngine.SceneManagement.Scene UnityEngine.SceneManagement.SceneManager::LoadScene(System.String,UnityEngine.SceneManagement.LoadSceneParameters)
extern "C" IL2CPP_METHOD_ATTR Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 SceneManager_LoadScene_m4641E278E1E9A1690A46900F1787B6F1070188CF (String_t* ___sceneName0, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A ___parameters1, const RuntimeMethod* method)
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
String_t* L_0 = ___sceneName0;
LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A L_1 = ___parameters1;
SceneManager_LoadSceneAsyncNameIndexInternal_m542937B4FCCE8B1AAC326E1E1F9060ECEDCB6159(L_0, (-1), L_1, (bool)1, /*hidden argument*/NULL);
int32_t L_2 = SceneManager_get_sceneCount_m21F0C1A9DB4F6105154E7FAEE9461805F3EFAD84(/*hidden argument*/NULL);
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_3 = SceneManager_GetSceneAt_m2D4105040A31A5A42E79A4E617028E84FC357C8A(((int32_t)il2cpp_codegen_subtract((int32_t)L_2, (int32_t)1)), /*hidden argument*/NULL);
V_0 = L_3;
goto IL_001d;
}
IL_001d:
{
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_4 = V_0;
return L_4;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::Internal_SceneLoaded(UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_Internal_SceneLoaded_m800F5F7F7B30D5206913EF65548FD7F8DE9EF718 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 ___scene0, int32_t ___mode1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SceneManager_Internal_SceneLoaded_m800F5F7F7B30D5206913EF65548FD7F8DE9EF718_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * L_0 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_sceneLoaded_0();
if (!L_0)
{
goto IL_0019;
}
}
{
UnityAction_2_t34FACA3D608984EE7CF1EE51BBFA450D2DB62305 * L_1 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_sceneLoaded_0();
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_2 = ___scene0;
int32_t L_3 = ___mode1;
NullCheck(L_1);
UnityAction_2_Invoke_m3F07731E46F777E93F9D08DD46CEB7BDE625238A(L_1, L_2, L_3, /*hidden argument*/UnityAction_2_Invoke_m3F07731E46F777E93F9D08DD46CEB7BDE625238A_RuntimeMethod_var);
}
IL_0019:
{
return;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::Internal_SceneUnloaded(UnityEngine.SceneManagement.Scene)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_Internal_SceneUnloaded_m32721E87A02DAC634DD4B9857092CC172EE8CB98 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 ___scene0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SceneManager_Internal_SceneUnloaded_m32721E87A02DAC634DD4B9857092CC172EE8CB98_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * L_0 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_sceneUnloaded_1();
if (!L_0)
{
goto IL_0018;
}
}
{
UnityAction_1_t95F46E5AC4F5A5CFAD850DDC188E2674CEAC6384 * L_1 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_sceneUnloaded_1();
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_2 = ___scene0;
NullCheck(L_1);
UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2(L_1, L_2, /*hidden argument*/UnityAction_1_Invoke_m28278C6E83173B3BC3CBC240F14DD94D721E78C2_RuntimeMethod_var);
}
IL_0018:
{
return;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::Internal_ActiveSceneChanged(UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_Internal_ActiveSceneChanged_mE9AB93D6979594CFCED5B3696F727B7D5E6B25F5 (Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 ___previousActiveScene0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 ___newActiveScene1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SceneManager_Internal_ActiveSceneChanged_mE9AB93D6979594CFCED5B3696F727B7D5E6B25F5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * L_0 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_activeSceneChanged_2();
if (!L_0)
{
goto IL_0019;
}
}
{
UnityAction_2_t6FF15ABDB8C2C9E1BB0E5A79FEDA471C0679D51F * L_1 = ((SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t68A7070D2AD3860C3EE327C94F38270E49AFB489_il2cpp_TypeInfo_var))->get_activeSceneChanged_2();
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_2 = ___previousActiveScene0;
Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 L_3 = ___newActiveScene1;
NullCheck(L_1);
UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99(L_1, L_2, L_3, /*hidden argument*/UnityAction_2_Invoke_m4E5A5335E63C942B335D047296080EB8DA73FB99_RuntimeMethod_var);
}
IL_0019:
{
return;
}
}
// System.Void UnityEngine.SceneManagement.SceneManager::GetSceneAt_Injected(System.Int32,UnityEngine.SceneManagement.SceneU26)
extern "C" IL2CPP_METHOD_ATTR void SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148 (int32_t ___index0, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 * ___ret1, const RuntimeMethod* method)
{
typedef void (*SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148_ftn) (int32_t, Scene_t942E023788C2BC9FBB7EC8356B4FB0088B2CFED2 *);
static SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SceneManager_GetSceneAt_Injected_m7DB39BC8E659D73DEE24D5F7F4D382CBB0B31148_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SceneManagement.SceneManager::GetSceneAt_Injected(System.Int32,UnityEngine.SceneManagement.Scene&)");
_il2cpp_icall_func(___index0, ___ret1);
}
// UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal_Injected(System.String,System.Int32,UnityEngine.SceneManagement.LoadSceneParametersU26,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1 (String_t* ___sceneName0, int32_t ___sceneBuildIndex1, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A * ___parameters2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method)
{
typedef AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * (*SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1_ftn) (String_t*, int32_t, LoadSceneParameters_tCB2FF5227064DFE794C8EAB65AEAD61838A5760A *, bool);
static SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SceneManager_LoadSceneAsyncNameIndexInternal_Injected_mD19FD493D2C36D33EE8E8A997467DB05C10CE6D1_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal_Injected(System.String,System.Int32,UnityEngine.SceneManagement.LoadSceneParameters&,System.Boolean)");
AsyncOperation_t304C51ABED8AE734CC8DDDFE13013D8D5A44641D * retVal = _il2cpp_icall_func(___sceneName0, ___sceneBuildIndex1, ___parameters2, ___mustCompleteNextFrame3);
return retVal;
}
#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.Int32 UnityEngine.Screen::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3 (const RuntimeMethod* method)
{
typedef int32_t (*Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3_ftn) ();
static Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Screen::get_width()");
int32_t retVal = _il2cpp_icall_func();
return retVal;
}
// System.Int32 UnityEngine.Screen::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150 (const RuntimeMethod* method)
{
typedef int32_t (*Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150_ftn) ();
static Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Screen::get_height()");
int32_t retVal = _il2cpp_icall_func();
return retVal;
}
// System.Single UnityEngine.Screen::get_dpi()
extern "C" IL2CPP_METHOD_ATTR float Screen_get_dpi_m92A755DE9E23ABA717B5594F4F52AFB0FBEAC1D3 (const RuntimeMethod* method)
{
typedef float (*Screen_get_dpi_m92A755DE9E23ABA717B5594F4F52AFB0FBEAC1D3_ftn) ();
static Screen_get_dpi_m92A755DE9E23ABA717B5594F4F52AFB0FBEAC1D3_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Screen_get_dpi_m92A755DE9E23ABA717B5594F4F52AFB0FBEAC1D3_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Screen::get_dpi()");
float retVal = _il2cpp_icall_func();
return retVal;
}
#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: UnityEngine.ScriptableObject
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_pinvoke(const ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734& unmarshaled, ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke& marshaled)
{
marshaled.___m_CachedPtr_0 = unmarshaled.get_m_CachedPtr_0();
}
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_pinvoke_back(const ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke& marshaled, ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734& unmarshaled)
{
intptr_t unmarshaled_m_CachedPtr_temp_0;
memset(&unmarshaled_m_CachedPtr_temp_0, 0, sizeof(unmarshaled_m_CachedPtr_temp_0));
unmarshaled_m_CachedPtr_temp_0 = marshaled.___m_CachedPtr_0;
unmarshaled.set_m_CachedPtr_0(unmarshaled_m_CachedPtr_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.ScriptableObject
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_pinvoke_cleanup(ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.ScriptableObject
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_com(const ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734& unmarshaled, ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com& marshaled)
{
marshaled.___m_CachedPtr_0 = unmarshaled.get_m_CachedPtr_0();
}
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_com_back(const ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com& marshaled, ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734& unmarshaled)
{
intptr_t unmarshaled_m_CachedPtr_temp_0;
memset(&unmarshaled_m_CachedPtr_temp_0, 0, sizeof(unmarshaled_m_CachedPtr_temp_0));
unmarshaled_m_CachedPtr_temp_0 = marshaled.___m_CachedPtr_0;
unmarshaled.set_m_CachedPtr_0(unmarshaled_m_CachedPtr_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.ScriptableObject
extern "C" void ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshal_com_cleanup(ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com& marshaled)
{
}
// System.Void UnityEngine.ScriptableObject::.ctor()
extern "C" IL2CPP_METHOD_ATTR void ScriptableObject__ctor_m6E2B3821A4A361556FC12E9B1C71E1D5DC002C5B (ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (ScriptableObject__ctor_m6E2B3821A4A361556FC12E9B1C71E1D5DC002C5B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
Object__ctor_m091EBAEBC7919B0391ABDAFB7389ADC12206525B(__this, /*hidden argument*/NULL);
ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B(__this, /*hidden argument*/NULL);
return;
}
}
// UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstance(System.Type)
extern "C" IL2CPP_METHOD_ATTR ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ScriptableObject_CreateInstance_mDC77B7257A5E276CB272D3475B9B473B23A7128D (Type_t * ___type0, const RuntimeMethod* method)
{
ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * V_0 = NULL;
{
Type_t * L_0 = ___type0;
ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * L_1 = ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696(L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000d;
}
IL_000d:
{
ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * L_2 = V_0;
return L_2;
}
}
// System.Void UnityEngine.ScriptableObject::CreateScriptableObject(UnityEngine.ScriptableObject)
extern "C" IL2CPP_METHOD_ATTR void ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B (ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ___self0, const RuntimeMethod* method)
{
typedef void (*ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B_ftn) (ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 *);
static ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (ScriptableObject_CreateScriptableObject_m0DEEBEC415354F586C010E7863AEA64D2F628D0B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.ScriptableObject::CreateScriptableObject(UnityEngine.ScriptableObject)");
_il2cpp_icall_func(___self0);
}
// UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateScriptableObjectInstanceFromType(System.Type)
extern "C" IL2CPP_METHOD_ATTR ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696 (Type_t * ___type0, const RuntimeMethod* method)
{
typedef ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * (*ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696_ftn) (Type_t *);
static ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (ScriptableObject_CreateScriptableObjectInstanceFromType_mD6C4C28F14371B87C376B4AD30F95FC24963E696_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.ScriptableObject::CreateScriptableObjectInstanceFromType(System.Type)");
ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * retVal = _il2cpp_icall_func(___type0);
return retVal;
}
#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 UnityEngine.Scripting.APIUpdating.MovedFromAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute__ctor_mF87685F9D527910B31D3EF58F0EAA297E1944B42 (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, String_t* ___sourceNamespace0, const RuntimeMethod* method)
{
{
String_t* L_0 = ___sourceNamespace0;
MovedFromAttribute__ctor_mDA989E5C278F39B0045F3BCA5153BB2A40BAD52A(__this, L_0, (bool)0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::.ctor(System.String,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute__ctor_mDA989E5C278F39B0045F3BCA5153BB2A40BAD52A (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, String_t* ___sourceNamespace0, bool ___isInDifferentAssembly1, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
String_t* L_0 = ___sourceNamespace0;
MovedFromAttribute_set_Namespace_m4A1CFA5322A807FBFA70CE7A209DF7E7F3093089(__this, L_0, /*hidden argument*/NULL);
bool L_1 = ___isInDifferentAssembly1;
MovedFromAttribute_set_IsInDifferentAssembly_m6A7A22FAD0547328CABA2D949D1E61E0D2822E0D(__this, L_1, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_Namespace(System.String)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute_set_Namespace_m4A1CFA5322A807FBFA70CE7A209DF7E7F3093089 (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, String_t* ___value0, const RuntimeMethod* method)
{
{
String_t* L_0 = ___value0;
__this->set_U3CNamespaceU3Ek__BackingField_0(L_0);
return;
}
}
// System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_IsInDifferentAssembly(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void MovedFromAttribute_set_IsInDifferentAssembly_m6A7A22FAD0547328CABA2D949D1E61E0D2822E0D (MovedFromAttribute_tE9A667A7698BEF9EA09BF23E4308CD1EC2099162 * __this, bool ___value0, const RuntimeMethod* method)
{
{
bool L_0 = ___value0;
__this->set_U3CIsInDifferentAssemblyU3Ek__BackingField_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
// System.Void UnityEngine.Scripting.PreserveAttribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void PreserveAttribute__ctor_mD842EE86496947B39FE0FBC67393CE4401AC53AA (PreserveAttribute_t864F9DAA4DBF2524206AD57CE51AEB955702AA3F * __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.Void UnityEngine.SelectionBaseAttribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void SelectionBaseAttribute__ctor_mD7E83E67AFD9920E70551A353A33CC94D0584E8E (SelectionBaseAttribute_t1E6DA918DE93CF97BAB00073419BF8FC43C84B33 * __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
#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 UnityEngine.SendMouseEvents::SetMouseMoved()
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_SetMouseMoved_m860C81AB05FE646EB58219CE6AF1C5AE1D31958F (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SendMouseEvents_SetMouseMoved_m860C81AB05FE646EB58219CE6AF1C5AE1D31958F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)1);
return;
}
}
// System.Void UnityEngine.SendMouseEvents::HitTestLegacyGUI(UnityEngine.Camera,UnityEngine.Vector3,UnityEngine.SendMouseEvents_HitInfoU26)
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_HitTestLegacyGUI_mF845548CB3F7DD7C32AEA6AEB9E4EAD9F1A01CF8 (Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___mousePosition1, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * ___hitInfo2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SendMouseEvents_HitTestLegacyGUI_mF845548CB3F7DD7C32AEA6AEB9E4EAD9F1A01CF8_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * V_0 = NULL;
GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 * V_1 = NULL;
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_0 = ___camera0;
NullCheck(L_0);
GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * L_1 = Component_GetComponent_TisGUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D_m450D3F26D5288FD7AEBE9AB2C9763BB2C1A45BB6(L_0, /*hidden argument*/Component_GetComponent_TisGUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D_m450D3F26D5288FD7AEBE9AB2C9763BB2C1A45BB6_RuntimeMethod_var);
V_0 = L_1;
GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * L_2 = V_0;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_3 = Object_op_Implicit_m8B2A44B4B1406ED346D1AE6D962294FD58D0D534(L_2, /*hidden argument*/NULL);
if (!L_3)
{
goto IL_0052;
}
}
{
GUILayer_tB8A4E9CCC2977F6691AEBB96DE1C13681634063D * L_4 = V_0;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_5 = ___mousePosition1;
NullCheck(L_4);
GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 * L_6 = GUILayer_HitTest_mD44413399C4E2DE830CBF4BECBE42BA2AB8FE350(L_4, L_5, /*hidden argument*/NULL);
V_1 = L_6;
GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 * L_7 = V_1;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_8 = Object_op_Implicit_m8B2A44B4B1406ED346D1AE6D962294FD58D0D534(L_7, /*hidden argument*/NULL);
if (!L_8)
{
goto IL_0041;
}
}
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * L_9 = ___hitInfo2;
GUIElement_t7509096A8399BAB91367BBDD2F90EB2BACB1C4C4 * L_10 = V_1;
NullCheck(L_10);
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_11 = Component_get_gameObject_m0B0570BA8DDD3CD78A9DB568EA18D7317686603C(L_10, /*hidden argument*/NULL);
L_9->set_target_0(L_11);
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * L_12 = ___hitInfo2;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_13 = ___camera0;
L_12->set_camera_1(L_13);
goto IL_0051;
}
IL_0041:
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * L_14 = ___hitInfo2;
L_14->set_target_0((GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F *)NULL);
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * L_15 = ___hitInfo2;
L_15->set_camera_1((Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 *)NULL);
}
IL_0051:
{
}
IL_0052:
{
return;
}
}
// System.Void UnityEngine.SendMouseEvents::DoSendMouseEvents(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_DoSendMouseEvents_m95F30F16C9E28757678B2A6CBB09B4929F1EA72C (int32_t ___skipRTCameras0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SendMouseEvents_DoSendMouseEvents_m95F30F16C9E28757678B2A6CBB09B4929F1EA72C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
int32_t V_1 = 0;
int32_t V_2 = 0;
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_3;
memset(&V_3, 0, sizeof(V_3));
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * V_4 = NULL;
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* V_5 = NULL;
int32_t V_6 = 0;
int32_t V_7 = 0;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_8;
memset(&V_8, 0, sizeof(V_8));
int32_t V_9 = 0;
float V_10 = 0.0f;
float V_11 = 0.0f;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_12;
memset(&V_12, 0, sizeof(V_12));
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_13;
memset(&V_13, 0, sizeof(V_13));
Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 V_14;
memset(&V_14, 0, sizeof(V_14));
float V_15 = 0.0f;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_16;
memset(&V_16, 0, sizeof(V_16));
float V_17 = 0.0f;
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * V_18 = NULL;
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * V_19 = NULL;
int32_t V_20 = 0;
float G_B32_0 = 0.0f;
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = Input_get_mousePosition_mC8B181E5125330ECFB9F8C5D94AA8F4AD1ABD10C(/*hidden argument*/NULL);
V_0 = L_0;
int32_t L_1 = Camera_get_allCamerasCount_mF6CDC46D6F61B1F1A0337A9AD7DFA485E408E6A1(/*hidden argument*/NULL);
V_1 = L_1;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_2 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_Cameras_4();
if (!L_2)
{
goto IL_0024;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_3 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_Cameras_4();
NullCheck(L_3);
int32_t L_4 = V_1;
if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_3)->max_length))))) == ((int32_t)L_4)))
{
goto IL_002f;
}
}
IL_0024:
{
int32_t L_5 = V_1;
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_6 = (CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9*)SZArrayNew(CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9_il2cpp_TypeInfo_var, (uint32_t)L_5);
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_m_Cameras_4(L_6);
}
IL_002f:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_7 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_Cameras_4();
Camera_GetAllCameras_m500A4F27E7BE1C259E9EAA0AEBB1E1B35893059C(L_7, /*hidden argument*/NULL);
V_2 = 0;
goto IL_005e;
}
IL_0041:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_8 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
int32_t L_9 = V_2;
NullCheck(L_8);
il2cpp_codegen_initobj((&V_3), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_10 = V_3;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_9))) = L_10;
int32_t L_11 = V_2;
V_2 = ((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)1));
}
IL_005e:
{
int32_t L_12 = V_2;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_13 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_13);
if ((((int32_t)L_12) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_13)->max_length)))))))
{
goto IL_0041;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
bool L_14 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_s_MouseUsed_0();
if (L_14)
{
goto IL_0373;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_15 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_Cameras_4();
V_5 = L_15;
V_6 = 0;
goto IL_0367;
}
IL_0086:
{
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_16 = V_5;
int32_t L_17 = V_6;
NullCheck(L_16);
int32_t L_18 = L_17;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_19 = (L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18));
V_4 = L_19;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_20 = V_4;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_21 = Object_op_Equality_mBC2401774F3BE33E8CF6F0A8148E66C95D6CFF1C(L_20, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (L_21)
{
goto IL_00b3;
}
}
{
int32_t L_22 = ___skipRTCameras0;
if (!L_22)
{
goto IL_00b8;
}
}
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_23 = V_4;
NullCheck(L_23);
RenderTexture_tBC47D853E3DA6511CD6C49DBF78D47B890FCD2F6 * L_24 = Camera_get_targetTexture_m1E776560FAC888D8210D49CEE310BB39D34A3FDC(L_23, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_25 = Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1(L_24, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (!L_25)
{
goto IL_00b8;
}
}
IL_00b3:
{
goto IL_0361;
}
IL_00b8:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_26 = V_4;
NullCheck(L_26);
int32_t L_27 = Camera_get_targetDisplay_m2C318D2EB9A016FEC76B13F7F7AE382F443FB731(L_26, /*hidden argument*/NULL);
V_7 = L_27;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_28 = V_0;
IL2CPP_RUNTIME_CLASS_INIT(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_29 = Display_RelativeMouseAt_mABDA4BAC2C1B328A2C6A205D552AA5488BFFAA93(L_28, /*hidden argument*/NULL);
V_8 = L_29;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_30 = V_8;
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_31 = Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2(/*hidden argument*/NULL);
bool L_32 = Vector3_op_Inequality_mFEEAA4C4BF743FB5B8A47FF4967A5E2C73273D6E(L_30, L_31, /*hidden argument*/NULL);
if (!L_32)
{
goto IL_01a5;
}
}
{
float L_33 = (&V_8)->get_z_4();
V_9 = (((int32_t)((int32_t)L_33)));
int32_t L_34 = V_9;
int32_t L_35 = V_7;
if ((((int32_t)L_34) == ((int32_t)L_35)))
{
goto IL_00f3;
}
}
{
goto IL_0361;
}
IL_00f3:
{
int32_t L_36 = Screen_get_width_m8ECCEF7FF17395D1237BC0193D7A6640A3FEEAD3(/*hidden argument*/NULL);
V_10 = (((float)((float)L_36)));
int32_t L_37 = Screen_get_height_mF5B64EBC4CDE0EAAA5713C1452ED2CE475F25150(/*hidden argument*/NULL);
V_11 = (((float)((float)L_37)));
int32_t L_38 = V_7;
if ((((int32_t)L_38) <= ((int32_t)0)))
{
goto IL_013b;
}
}
{
int32_t L_39 = V_7;
IL2CPP_RUNTIME_CLASS_INIT(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var);
DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* L_40 = ((Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields*)il2cpp_codegen_static_fields_for(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var))->get_displays_1();
NullCheck(L_40);
if ((((int32_t)L_39) >= ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_40)->max_length)))))))
{
goto IL_013b;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var);
DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* L_41 = ((Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields*)il2cpp_codegen_static_fields_for(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var))->get_displays_1();
int32_t L_42 = V_7;
NullCheck(L_41);
int32_t L_43 = L_42;
Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * L_44 = (L_41)->GetAt(static_cast<il2cpp_array_size_t>(L_43));
NullCheck(L_44);
int32_t L_45 = Display_get_systemWidth_mA14AF2D3B017CF4BA2C2990DC2398E528AF83413(L_44, /*hidden argument*/NULL);
V_10 = (((float)((float)L_45)));
DisplayU5BU5D_tB2AB0FDB3B2E9FD784D5100C18EB0ED489A2CCC9* L_46 = ((Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_StaticFields*)il2cpp_codegen_static_fields_for(Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57_il2cpp_TypeInfo_var))->get_displays_1();
int32_t L_47 = V_7;
NullCheck(L_46);
int32_t L_48 = L_47;
Display_t38AD3008E8C72693533E4FE9CFFF6E01B56E9D57 * L_49 = (L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_48));
NullCheck(L_49);
int32_t L_50 = Display_get_systemHeight_m0D7950CB39015167C175634EF8A5E0C52FBF5EC7(L_49, /*hidden argument*/NULL);
V_11 = (((float)((float)L_50)));
}
IL_013b:
{
float L_51 = (&V_8)->get_x_2();
float L_52 = V_10;
float L_53 = (&V_8)->get_y_3();
float L_54 = V_11;
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_12), ((float)((float)L_51/(float)L_52)), ((float)((float)L_53/(float)L_54)), /*hidden argument*/NULL);
float L_55 = (&V_12)->get_x_0();
if ((((float)L_55) < ((float)(0.0f))))
{
goto IL_019a;
}
}
{
float L_56 = (&V_12)->get_x_0();
if ((((float)L_56) > ((float)(1.0f))))
{
goto IL_019a;
}
}
{
float L_57 = (&V_12)->get_y_1();
if ((((float)L_57) < ((float)(0.0f))))
{
goto IL_019a;
}
}
{
float L_58 = (&V_12)->get_y_1();
if ((!(((float)L_58) > ((float)(1.0f)))))
{
goto IL_019f;
}
}
IL_019a:
{
goto IL_0361;
}
IL_019f:
{
goto IL_01aa;
}
IL_01a5:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_59 = V_0;
V_8 = L_59;
}
IL_01aa:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_60 = V_4;
NullCheck(L_60);
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_61 = Camera_get_pixelRect_mBA87D6C23FD7A5E1A7F3CE0E8F9B86A9318B5317(L_60, /*hidden argument*/NULL);
V_13 = L_61;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_62 = V_8;
bool L_63 = Rect_Contains_m5072228CE6251E7C754F227BA330F9ADA95C1495((Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_13), L_62, /*hidden argument*/NULL);
if (L_63)
{
goto IL_01c6;
}
}
{
goto IL_0361;
}
IL_01c6:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_64 = V_4;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_65 = V_8;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_66 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_66);
SendMouseEvents_HitTestLegacyGUI_mF845548CB3F7DD7C32AEA6AEB9E4EAD9F1A01CF8(L_64, L_65, (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_66)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))), /*hidden argument*/NULL);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_67 = V_4;
NullCheck(L_67);
int32_t L_68 = Camera_get_eventMask_m1D85900090AF34244340C69B53A42CDE5E9669D3(L_67, /*hidden argument*/NULL);
if (L_68)
{
goto IL_01eb;
}
}
{
goto IL_0361;
}
IL_01eb:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_69 = V_4;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_70 = V_8;
NullCheck(L_69);
Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 L_71 = Camera_ScreenPointToRay_m27638E78502DB6D6D7113F81AF7C210773B828F3(L_69, L_70, /*hidden argument*/NULL);
V_14 = L_71;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_72 = Ray_get_direction_m9E6468CD87844B437FC4B93491E63D388322F76E((Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 *)(&V_14), /*hidden argument*/NULL);
V_16 = L_72;
float L_73 = (&V_16)->get_z_4();
V_15 = L_73;
float L_74 = V_15;
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
bool L_75 = Mathf_Approximately_m91AF00403E0D2DEA1AAE68601AD218CFAD70DF7E((0.0f), L_74, /*hidden argument*/NULL);
if (!L_75)
{
goto IL_0223;
}
}
{
G_B32_0 = (std::numeric_limits<float>::infinity());
goto IL_023a;
}
IL_0223:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_76 = V_4;
NullCheck(L_76);
float L_77 = Camera_get_farClipPlane_mF51F1FF5BE87719CFAC293E272B1138DC1EFFD4B(L_76, /*hidden argument*/NULL);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_78 = V_4;
NullCheck(L_78);
float L_79 = Camera_get_nearClipPlane_mD9D3E3D27186BBAC2CC354CE3609E6118A5BF66C(L_78, /*hidden argument*/NULL);
float L_80 = V_15;
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_81 = fabsf(((float)((float)((float)il2cpp_codegen_subtract((float)L_77, (float)L_79))/(float)L_80)));
G_B32_0 = L_81;
}
IL_023a:
{
V_17 = G_B32_0;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_82 = V_4;
Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 L_83 = V_14;
float L_84 = V_17;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_85 = V_4;
NullCheck(L_85);
int32_t L_86 = Camera_get_cullingMask_m0992E96D87A4221E38746EBD882780CEFF7C2BCD(L_85, /*hidden argument*/NULL);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_87 = V_4;
NullCheck(L_87);
int32_t L_88 = Camera_get_eventMask_m1D85900090AF34244340C69B53A42CDE5E9669D3(L_87, /*hidden argument*/NULL);
NullCheck(L_82);
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_89 = Camera_RaycastTry_m7D27141875E309214FED1E3F1D0E3DE580183C0A(L_82, L_83, L_84, ((int32_t)((int32_t)L_86&(int32_t)L_88)), /*hidden argument*/NULL);
V_18 = L_89;
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_90 = V_18;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_91 = Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1(L_90, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (!L_91)
{
goto IL_0290;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_92 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_92);
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_93 = V_18;
((L_92)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_target_0(L_93);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_94 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_94);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_95 = V_4;
((L_94)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_camera_1(L_95);
goto IL_02ce;
}
IL_0290:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_96 = V_4;
NullCheck(L_96);
int32_t L_97 = Camera_get_clearFlags_m1D02BA1ABD7310269F6121C58AF41DCDEF1E0266(L_96, /*hidden argument*/NULL);
if ((((int32_t)L_97) == ((int32_t)1)))
{
goto IL_02aa;
}
}
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_98 = V_4;
NullCheck(L_98);
int32_t L_99 = Camera_get_clearFlags_m1D02BA1ABD7310269F6121C58AF41DCDEF1E0266(L_98, /*hidden argument*/NULL);
if ((!(((uint32_t)L_99) == ((uint32_t)2))))
{
goto IL_02ce;
}
}
IL_02aa:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_100 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_100);
((L_100)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_target_0((GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F *)NULL);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_101 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_101);
((L_101)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_camera_1((Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 *)NULL);
}
IL_02ce:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_102 = V_4;
Ray_tE2163D4CB3E6B267E29F8ABE41684490E4A614B2 L_103 = V_14;
float L_104 = V_17;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_105 = V_4;
NullCheck(L_105);
int32_t L_106 = Camera_get_cullingMask_m0992E96D87A4221E38746EBD882780CEFF7C2BCD(L_105, /*hidden argument*/NULL);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_107 = V_4;
NullCheck(L_107);
int32_t L_108 = Camera_get_eventMask_m1D85900090AF34244340C69B53A42CDE5E9669D3(L_107, /*hidden argument*/NULL);
NullCheck(L_102);
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_109 = Camera_RaycastTry2D_m5C5FE62B732A123048EBFA3241BBBEC7BA409C0F(L_102, L_103, L_104, ((int32_t)((int32_t)L_106&(int32_t)L_108)), /*hidden argument*/NULL);
V_19 = L_109;
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_110 = V_19;
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_111 = Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1(L_110, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (!L_111)
{
goto IL_0322;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_112 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_112);
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_113 = V_19;
((L_112)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_target_0(L_113);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_114 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_114);
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_115 = V_4;
((L_114)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_camera_1(L_115);
goto IL_0360;
}
IL_0322:
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_116 = V_4;
NullCheck(L_116);
int32_t L_117 = Camera_get_clearFlags_m1D02BA1ABD7310269F6121C58AF41DCDEF1E0266(L_116, /*hidden argument*/NULL);
if ((((int32_t)L_117) == ((int32_t)1)))
{
goto IL_033c;
}
}
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_118 = V_4;
NullCheck(L_118);
int32_t L_119 = Camera_get_clearFlags_m1D02BA1ABD7310269F6121C58AF41DCDEF1E0266(L_118, /*hidden argument*/NULL);
if ((!(((uint32_t)L_119) == ((uint32_t)2))))
{
goto IL_0360;
}
}
IL_033c:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_120 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_120);
((L_120)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_target_0((GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F *)NULL);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_121 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_121);
((L_121)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_camera_1((Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 *)NULL);
}
IL_0360:
{
}
IL_0361:
{
int32_t L_122 = V_6;
V_6 = ((int32_t)il2cpp_codegen_add((int32_t)L_122, (int32_t)1));
}
IL_0367:
{
int32_t L_123 = V_6;
CameraU5BU5D_t2A1957E88FB79357C12B87941970D776D30E90F9* L_124 = V_5;
NullCheck(L_124);
if ((((int32_t)L_123) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_124)->max_length)))))))
{
goto IL_0086;
}
}
{
}
IL_0373:
{
V_20 = 0;
goto IL_0399;
}
IL_037b:
{
int32_t L_125 = V_20;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_126 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
int32_t L_127 = V_20;
NullCheck(L_126);
SendMouseEvents_SendEvents_m3F67C7E75B3AACADA92D562C631D432D273276DB(L_125, (*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_126)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_127)))), /*hidden argument*/NULL);
int32_t L_128 = V_20;
V_20 = ((int32_t)il2cpp_codegen_add((int32_t)L_128, (int32_t)1));
}
IL_0399:
{
int32_t L_129 = V_20;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_130 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_CurrentHit_3();
NullCheck(L_130);
if ((((int32_t)L_129) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_130)->max_length)))))))
{
goto IL_037b;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)0);
return;
}
}
// System.Void UnityEngine.SendMouseEvents::SendEvents(System.Int32,UnityEngine.SendMouseEvents_HitInfo)
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents_SendEvents_m3F67C7E75B3AACADA92D562C631D432D273276DB (int32_t ___i0, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___hit1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SendMouseEvents_SendEvents_m3F67C7E75B3AACADA92D562C631D432D273276DB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
bool V_1 = false;
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_2;
memset(&V_2, 0, sizeof(V_2));
{
bool L_0 = Input_GetMouseButtonDown_mBC5947EA49ED797F0DB1830BFC13AF6514B765FD(0, /*hidden argument*/NULL);
V_0 = L_0;
bool L_1 = Input_GetMouseButton_mFA83B0C0BABD3113D1AAB38FBB953C91EA7FFA30(0, /*hidden argument*/NULL);
V_1 = L_1;
bool L_2 = V_0;
if (!L_2)
{
goto IL_004f;
}
}
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_3 = ___hit1;
bool L_4 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15(L_3, /*hidden argument*/NULL);
if (!L_4)
{
goto IL_0049;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_5 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_6 = ___i0;
NullCheck(L_5);
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_7 = ___hit1;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_6))) = L_7;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_8 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_9 = ___i0;
NullCheck(L_8);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_9))), _stringLiteral3FD91E160022E3A1414EFC9052F3C6C31F1EA4F4, /*hidden argument*/NULL);
}
IL_0049:
{
goto IL_0107;
}
IL_004f:
{
bool L_10 = V_1;
if (L_10)
{
goto IL_00d6;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_11 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_12 = ___i0;
NullCheck(L_11);
bool L_13 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15((*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_12)))), /*hidden argument*/NULL);
if (!L_13)
{
goto IL_00d0;
}
}
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_14 = ___hit1;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_15 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_16 = ___i0;
NullCheck(L_15);
bool L_17 = HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702(L_14, (*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_15)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_16)))), /*hidden argument*/NULL);
if (!L_17)
{
goto IL_00a1;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_18 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_19 = ___i0;
NullCheck(L_18);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_18)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_19))), _stringLiteralB8B6C4E8F01128F85B1997A2FC54F0D8A7847473, /*hidden argument*/NULL);
}
IL_00a1:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_20 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_21 = ___i0;
NullCheck(L_20);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_20)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_21))), _stringLiteralD0F250C5C723619F2F208B1992BA356D32807BE6, /*hidden argument*/NULL);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_22 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_23 = ___i0;
NullCheck(L_22);
il2cpp_codegen_initobj((&V_2), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_24 = V_2;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_22)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_23))) = L_24;
}
IL_00d0:
{
goto IL_0107;
}
IL_00d6:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_25 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_26 = ___i0;
NullCheck(L_25);
bool L_27 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15((*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_25)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_26)))), /*hidden argument*/NULL);
if (!L_27)
{
goto IL_0107;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_28 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2();
int32_t L_29 = ___i0;
NullCheck(L_28);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_28)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_29))), _stringLiteralC2DD4A1CF2BEA8DC20037D0E70DA4065B69442E6, /*hidden argument*/NULL);
}
IL_0107:
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_30 = ___hit1;
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_31 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_LastHit_1();
int32_t L_32 = ___i0;
NullCheck(L_31);
bool L_33 = HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702(L_30, (*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_31)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_32)))), /*hidden argument*/NULL);
if (!L_33)
{
goto IL_0140;
}
}
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_34 = ___hit1;
bool L_35 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15(L_34, /*hidden argument*/NULL);
if (!L_35)
{
goto IL_013a;
}
}
{
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(&___hit1), _stringLiteral38C0F0DBDBD6845E1EB1973902069AA0D04A49CB, /*hidden argument*/NULL);
}
IL_013a:
{
goto IL_0198;
}
IL_0140:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_36 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_LastHit_1();
int32_t L_37 = ___i0;
NullCheck(L_36);
bool L_38 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15((*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_36)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_37)))), /*hidden argument*/NULL);
if (!L_38)
{
goto IL_0172;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_39 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_LastHit_1();
int32_t L_40 = ___i0;
NullCheck(L_39);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_39)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_40))), _stringLiteralA7657254AB620ED4022229A87EBBB2D61A66BB47, /*hidden argument*/NULL);
}
IL_0172:
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_41 = ___hit1;
bool L_42 = HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15(L_41, /*hidden argument*/NULL);
if (!L_42)
{
goto IL_0197;
}
}
{
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(&___hit1), _stringLiteralAEEBD5451CD610FD41B563142B1715878FB6841E, /*hidden argument*/NULL);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41((HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(&___hit1), _stringLiteral38C0F0DBDBD6845E1EB1973902069AA0D04A49CB, /*hidden argument*/NULL);
}
IL_0197:
{
}
IL_0198:
{
IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_43 = ((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->get_m_LastHit_1();
int32_t L_44 = ___i0;
NullCheck(L_43);
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_45 = ___hit1;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_43)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_44))) = L_45;
return;
}
}
// System.Void UnityEngine.SendMouseEvents::.cctor()
extern "C" IL2CPP_METHOD_ATTR void SendMouseEvents__cctor_mCC790EB2DADBEAB9D6E06D79FA77634C68F17B2B (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SendMouseEvents__cctor_mCC790EB2DADBEAB9D6E06D79FA77634C68F17B2B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_0;
memset(&V_0, 0, sizeof(V_0));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_1;
memset(&V_1, 0, sizeof(V_1));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_2;
memset(&V_2, 0, sizeof(V_2));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_3;
memset(&V_3, 0, sizeof(V_3));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_4;
memset(&V_4, 0, sizeof(V_4));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_5;
memset(&V_5, 0, sizeof(V_5));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_6;
memset(&V_6, 0, sizeof(V_6));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_7;
memset(&V_7, 0, sizeof(V_7));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_8;
memset(&V_8, 0, sizeof(V_8));
{
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)0);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_0 = (HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745*)SZArrayNew(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745_il2cpp_TypeInfo_var, (uint32_t)3);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_1 = L_0;
NullCheck(L_1);
il2cpp_codegen_initobj((&V_0), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_2 = V_0;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_1)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_2;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_3 = L_1;
NullCheck(L_3);
il2cpp_codegen_initobj((&V_1), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_4 = V_1;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_3)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_4;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_5 = L_3;
NullCheck(L_5);
il2cpp_codegen_initobj((&V_2), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_6 = V_2;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_6;
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_m_LastHit_1(L_5);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_7 = (HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745*)SZArrayNew(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745_il2cpp_TypeInfo_var, (uint32_t)3);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_8 = L_7;
NullCheck(L_8);
il2cpp_codegen_initobj((&V_3), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_9 = V_3;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_9;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_10 = L_8;
NullCheck(L_10);
il2cpp_codegen_initobj((&V_4), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_11 = V_4;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_10)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_11;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_12 = L_10;
NullCheck(L_12);
il2cpp_codegen_initobj((&V_5), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_13 = V_5;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_12)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_13;
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_m_MouseDownHit_2(L_12);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_14 = (HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745*)SZArrayNew(HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745_il2cpp_TypeInfo_var, (uint32_t)3);
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_15 = L_14;
NullCheck(L_15);
il2cpp_codegen_initobj((&V_6), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_16 = V_6;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_15)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_16;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_17 = L_15;
NullCheck(L_17);
il2cpp_codegen_initobj((&V_7), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_18 = V_7;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_18;
HitInfoU5BU5D_tA1A7DB3D520CAACEC1B3C3EC4071E4DA2EACA745* L_19 = L_17;
NullCheck(L_19);
il2cpp_codegen_initobj((&V_8), sizeof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_20 = V_8;
*(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_20;
((SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t546CC3FE17ABE003CE43A2D04FAC016198C9BC02_il2cpp_TypeInfo_var))->set_m_CurrentHit_3(L_19);
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: UnityEngine.SendMouseEvents/HitInfo
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_pinvoke(const HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12& unmarshaled, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_pinvoke& marshaled)
{
Exception_t* ___target_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'target' of type 'HitInfo': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___target_0Exception, NULL, NULL);
}
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_pinvoke_back(const HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_pinvoke& marshaled, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12& unmarshaled)
{
Exception_t* ___target_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'target' of type 'HitInfo': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___target_0Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.SendMouseEvents/HitInfo
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_pinvoke_cleanup(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.SendMouseEvents/HitInfo
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_com(const HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12& unmarshaled, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_com& marshaled)
{
Exception_t* ___target_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'target' of type 'HitInfo': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___target_0Exception, NULL, NULL);
}
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_com_back(const HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_com& marshaled, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12& unmarshaled)
{
Exception_t* ___target_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'target' of type 'HitInfo': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___target_0Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.SendMouseEvents/HitInfo
extern "C" void HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshal_com_cleanup(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_com& marshaled)
{
}
// System.Void UnityEngine.SendMouseEvents_HitInfo::SendMessage(System.String)
extern "C" IL2CPP_METHOD_ATTR void HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * __this, String_t* ___name0, const RuntimeMethod* method)
{
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_0 = __this->get_target_0();
String_t* L_1 = ___name0;
NullCheck(L_0);
GameObject_SendMessage_mB9147E503F1F55C4F3BC2816C0BDA8C21EA22E95(L_0, L_1, NULL, 1, /*hidden argument*/NULL);
return;
}
}
extern "C" void HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41_AdjustorThunk (RuntimeObject * __this, String_t* ___name0, const RuntimeMethod* method)
{
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 * _thisAdjusted = reinterpret_cast<HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *>(__this + 1);
HitInfo_SendMessage_m28CF2E475D145CB7142DF0BEA985EC943DB1CD41(_thisAdjusted, ___name0, method);
}
// System.Boolean UnityEngine.SendMouseEvents_HitInfo::op_Implicit(UnityEngine.SendMouseEvents_HitInfo)
extern "C" IL2CPP_METHOD_ATTR bool HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___exists0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (HitInfo_op_Implicit_m71B30D67B83FAF0C9FA3662F0A942A8CEF287C15_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
int32_t G_B3_0 = 0;
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_0 = (&___exists0)->get_target_0();
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_1 = Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1(L_0, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0022;
}
}
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_2 = (&___exists0)->get_camera_1();
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_3 = Object_op_Inequality_m31EF58E217E8F4BDD3E409DEF79E1AEE95874FC1(L_2, (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)NULL, /*hidden argument*/NULL);
G_B3_0 = ((int32_t)(L_3));
goto IL_0023;
}
IL_0022:
{
G_B3_0 = 0;
}
IL_0023:
{
V_0 = (bool)G_B3_0;
goto IL_0029;
}
IL_0029:
{
bool L_4 = V_0;
return L_4;
}
}
// System.Boolean UnityEngine.SendMouseEvents_HitInfo::Compare(UnityEngine.SendMouseEvents_HitInfo,UnityEngine.SendMouseEvents_HitInfo)
extern "C" IL2CPP_METHOD_ATTR bool HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702 (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___lhs0, HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (HitInfo_Compare_mC384070B712CA297173CE07100F51F843F569702_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
int32_t G_B3_0 = 0;
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_0 = (&___lhs0)->get_target_0();
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * L_1 = (&___rhs1)->get_target_0();
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_2 = Object_op_Equality_mBC2401774F3BE33E8CF6F0A8148E66C95D6CFF1C(L_0, L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_002e;
}
}
{
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_3 = (&___lhs0)->get_camera_1();
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * L_4 = (&___rhs1)->get_camera_1();
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
bool L_5 = Object_op_Equality_mBC2401774F3BE33E8CF6F0A8148E66C95D6CFF1C(L_3, L_4, /*hidden argument*/NULL);
G_B3_0 = ((int32_t)(L_5));
goto IL_002f;
}
IL_002e:
{
G_B3_0 = 0;
}
IL_002f:
{
V_0 = (bool)G_B3_0;
goto IL_0035;
}
IL_0035:
{
bool L_6 = V_0;
return L_6;
}
}
#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 UnityEngine.Serialization.FormerlySerializedAsAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void FormerlySerializedAsAttribute__ctor_m770651B828F499F804DB06A777E8A4103A3ED2BD (FormerlySerializedAsAttribute_t31939F907F52C74DB25B51BB0064837BC15760AC * __this, String_t* ___oldName0, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
String_t* L_0 = ___oldName0;
__this->set_m_oldName_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 UnityEngine.SerializeField::.ctor()
extern "C" IL2CPP_METHOD_ATTR void SerializeField__ctor_mEE7F6BB7A9643562D8CEF189848925B74F87DA27 (SerializeField_t2C7845E4134D47F2D89267492CB6B955DC4787A5 * __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
#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 UnityEngine.SetupCoroutine::InvokeMoveNext(System.Collections.IEnumerator,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void SetupCoroutine_InvokeMoveNext_m9106BA4E8AE0E794B17F184F1021A53F1D071F31 (RuntimeObject* ___enumerator0, intptr_t ___returnValueAddress1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SetupCoroutine_InvokeMoveNext_m9106BA4E8AE0E794B17F184F1021A53F1D071F31_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
intptr_t L_0 = ___returnValueAddress1;
bool L_1 = IntPtr_op_Equality_mEE8D9FD2DFE312BBAA8B4ED3BF7976B3142A5934((intptr_t)L_0, (intptr_t)(0), /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0021;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_2 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_2, _stringLiteralD16E4C58CF049A6CC42E4A9AA7CEDB1CE1103E03, _stringLiteral264F39CC9BCB314C51EEFF1A9C09A4458087705F, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, SetupCoroutine_InvokeMoveNext_m9106BA4E8AE0E794B17F184F1021A53F1D071F31_RuntimeMethod_var);
}
IL_0021:
{
intptr_t L_3 = ___returnValueAddress1;
void* L_4 = IntPtr_op_Explicit_mB8A512095BCE1A23B2840310C8A27C928ADAD027((intptr_t)L_3, /*hidden argument*/NULL);
RuntimeObject* L_5 = ___enumerator0;
NullCheck(L_5);
bool L_6 = InterfaceFuncInvoker0< bool >::Invoke(0 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var, L_5);
*((int8_t*)L_4) = (int8_t)L_6;
return;
}
}
// System.Object UnityEngine.SetupCoroutine::InvokeMember(System.Object,System.String,System.Object)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * SetupCoroutine_InvokeMember_m0F2AD1D817B8E221C0DCAB9A81DA8359B20A8EFB (RuntimeObject * ___behaviour0, String_t* ___name1, RuntimeObject * ___variable2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SetupCoroutine_InvokeMember_m0F2AD1D817B8E221C0DCAB9A81DA8359B20A8EFB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL;
RuntimeObject * V_1 = NULL;
{
V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)NULL;
RuntimeObject * L_0 = ___variable2;
if (!L_0)
{
goto IL_0016;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)1);
V_0 = L_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = V_0;
RuntimeObject * L_3 = ___variable2;
NullCheck(L_2);
ArrayElementTypeCheck (L_2, L_3);
(L_2)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_3);
}
IL_0016:
{
RuntimeObject * L_4 = ___behaviour0;
NullCheck(L_4);
Type_t * L_5 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_4, /*hidden argument*/NULL);
String_t* L_6 = ___name1;
RuntimeObject * L_7 = ___behaviour0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = V_0;
NullCheck(L_5);
RuntimeObject * L_9 = VirtFuncInvoker8< RuntimeObject *, String_t*, int32_t, Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 *, RuntimeObject *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, ParameterModifierU5BU5D_t63EC46F14F048DC9EF6BF1362E8AEBEA1A05A5EA*, CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F *, StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* >::Invoke(22 /* System.Object System.Type::InvokeMember(System.String,System.Reflection.BindingFlags,System.Reflection.Binder,System.Object,System.Object[],System.Reflection.ParameterModifier[],System.Globalization.CultureInfo,System.String[]) */, L_5, L_6, ((int32_t)308), (Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 *)NULL, L_7, L_8, (ParameterModifierU5BU5D_t63EC46F14F048DC9EF6BF1362E8AEBEA1A05A5EA*)(ParameterModifierU5BU5D_t63EC46F14F048DC9EF6BF1362E8AEBEA1A05A5EA*)NULL, (CultureInfo_t345AC6924134F039ED9A11F3E03F8E91B6A3225F *)NULL, (StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E*)(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E*)NULL);
V_1 = L_9;
goto IL_0033;
}
IL_0033:
{
RuntimeObject * L_10 = V_1;
return L_10;
}
}
#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.Int32 UnityEngine.Shader::PropertyToID(System.String)
extern "C" IL2CPP_METHOD_ATTR int32_t Shader_PropertyToID_m831E5B48743620DB9E3E3DD15A8DEA483981DD45 (String_t* ___name0, const RuntimeMethod* method)
{
typedef int32_t (*Shader_PropertyToID_m831E5B48743620DB9E3E3DD15A8DEA483981DD45_ftn) (String_t*);
static Shader_PropertyToID_m831E5B48743620DB9E3E3DD15A8DEA483981DD45_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Shader_PropertyToID_m831E5B48743620DB9E3E3DD15A8DEA483981DD45_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Shader::PropertyToID(System.String)");
int32_t retVal = _il2cpp_icall_func(___name0);
return retVal;
}
#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.Int32 UnityEngine.SortingLayer::GetLayerValueFromID(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t SortingLayer_GetLayerValueFromID_m564F9C83200E5EC3E9578A75854CB943CE5546F8 (int32_t ___id0, const RuntimeMethod* method)
{
typedef int32_t (*SortingLayer_GetLayerValueFromID_m564F9C83200E5EC3E9578A75854CB943CE5546F8_ftn) (int32_t);
static SortingLayer_GetLayerValueFromID_m564F9C83200E5EC3E9578A75854CB943CE5546F8_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SortingLayer_GetLayerValueFromID_m564F9C83200E5EC3E9578A75854CB943CE5546F8_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SortingLayer::GetLayerValueFromID(System.Int32)");
int32_t retVal = _il2cpp_icall_func(___id0);
return retVal;
}
#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 UnityEngine.SpaceAttribute::.ctor()
extern "C" IL2CPP_METHOD_ATTR void SpaceAttribute__ctor_m645A0DE9B507F2AFD8C67853D788F5F419D547C7 (SpaceAttribute_tA724C103FE786D2E773D89B2789C0C1F812376C2 * __this, const RuntimeMethod* method)
{
{
PropertyAttribute__ctor_m7F5C473F39D5601486C1127DA0D52F2DC293FC35(__this, /*hidden argument*/NULL);
__this->set_height_0((8.0f));
return;
}
}
// System.Void UnityEngine.SpaceAttribute::.ctor(System.Single)
extern "C" IL2CPP_METHOD_ATTR void SpaceAttribute__ctor_mA70DC7F5FDC5474223B45E0F71A9003BBED1EFD0 (SpaceAttribute_tA724C103FE786D2E773D89B2789C0C1F812376C2 * __this, float ___height0, const RuntimeMethod* method)
{
{
PropertyAttribute__ctor_m7F5C473F39D5601486C1127DA0D52F2DC293FC35(__this, /*hidden argument*/NULL);
float L_0 = ___height0;
__this->set_height_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 UnityEngine.Sprite::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Sprite__ctor_m8559FBC54BD7CDA181B190797CC8AC6FB1310F9E (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Sprite__ctor_m8559FBC54BD7CDA181B190797CC8AC6FB1310F9E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
Object__ctor_m091EBAEBC7919B0391ABDAFB7389ADC12206525B(__this, /*hidden argument*/NULL);
return;
}
}
// System.Int32 UnityEngine.Sprite::GetPackingMode()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetPackingMode()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Int32 UnityEngine.Sprite::GetPacked()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetPacked()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Rect UnityEngine.Sprite::GetTextureRect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Sprite_GetTextureRect_mE506ABF33181E32E82B75479EE4A0910350B1BF9 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2(__this, (Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector4 UnityEngine.Sprite::GetInnerUVs()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetInnerUVs_m273E051E7DF38ED3D6077781D75A1C1019CABA25 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B(__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&V_0), /*hidden argument*/NULL);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector4 UnityEngine.Sprite::GetOuterUVs()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetOuterUVs_mD78E47470B4D8AD231F194E256136B0094ECEBC5 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0(__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&V_0), /*hidden argument*/NULL);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector4 UnityEngine.Sprite::GetPadding()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_GetPadding_m5781452D40FAE3B7D0CE78BF8808637FBFE78105 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC(__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&V_0), /*hidden argument*/NULL);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = V_0;
return L_0;
}
}
// UnityEngine.Bounds UnityEngine.Sprite::get_bounds()
extern "C" IL2CPP_METHOD_ATTR Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 Sprite_get_bounds_mD440465B889CCD2D80D118F9174FD5EAB19AE874 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B(__this, (Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 *)(&V_0), /*hidden argument*/NULL);
Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 L_0 = V_0;
return L_0;
}
}
// UnityEngine.Rect UnityEngine.Sprite::get_rect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Sprite_get_rect_mF1D59ED35D077D9B5075E2114605FDEB728D3AFF (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830(__this, (Rect_t35B976DE901B5423C11705E156938EA27AB402CE *)(&V_0), /*hidden argument*/NULL);
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector4 UnityEngine.Sprite::get_border()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6(__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&V_0), /*hidden argument*/NULL);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = V_0;
return L_0;
}
}
// UnityEngine.Texture2D UnityEngine.Sprite::get_texture()
extern "C" IL2CPP_METHOD_ATTR Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * Sprite_get_texture_mA1FF8462BBB398DC8B3F0F92B2AB41BDA6AF69A5 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * (*Sprite_get_texture_mA1FF8462BBB398DC8B3F0F92B2AB41BDA6AF69A5_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_texture_mA1FF8462BBB398DC8B3F0F92B2AB41BDA6AF69A5_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_texture_mA1FF8462BBB398DC8B3F0F92B2AB41BDA6AF69A5_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_texture()");
Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Single UnityEngine.Sprite::get_pixelsPerUnit()
extern "C" IL2CPP_METHOD_ATTR float Sprite_get_pixelsPerUnit_m54E3B43BD3D255D18CAE3DC8D963A81846983030 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef float (*Sprite_get_pixelsPerUnit_m54E3B43BD3D255D18CAE3DC8D963A81846983030_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_pixelsPerUnit_m54E3B43BD3D255D18CAE3DC8D963A81846983030_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_pixelsPerUnit_m54E3B43BD3D255D18CAE3DC8D963A81846983030_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_pixelsPerUnit()");
float retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Texture2D UnityEngine.Sprite::get_associatedAlphaSplitTexture()
extern "C" IL2CPP_METHOD_ATTR Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * Sprite_get_associatedAlphaSplitTexture_m2EF38CF62616FBBBBAE7876ECBCC596DB3F42156 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * (*Sprite_get_associatedAlphaSplitTexture_m2EF38CF62616FBBBBAE7876ECBCC596DB3F42156_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_associatedAlphaSplitTexture_m2EF38CF62616FBBBBAE7876ECBCC596DB3F42156_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_associatedAlphaSplitTexture_m2EF38CF62616FBBBBAE7876ECBCC596DB3F42156_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_associatedAlphaSplitTexture()");
Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Vector2 UnityEngine.Sprite::get_pivot()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Sprite_get_pivot_m8E3D24C208E01EC8464B0E63FBF3FB9429E4C1D9 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Boolean UnityEngine.Sprite::get_packed()
extern "C" IL2CPP_METHOD_ATTR bool Sprite_get_packed_m501A9E7D2C44867665FB579FD1A8C5D397C872C3 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
bool V_0 = false;
{
int32_t L_0 = Sprite_GetPacked_mBDE07283B07E7FB8892D309C5EDC81584C849BCC(__this, /*hidden argument*/NULL);
V_0 = (bool)((((int32_t)L_0) == ((int32_t)1))? 1 : 0);
goto IL_0010;
}
IL_0010:
{
bool L_1 = V_0;
return L_1;
}
}
// UnityEngine.SpritePackingMode UnityEngine.Sprite::get_packingMode()
extern "C" IL2CPP_METHOD_ATTR int32_t Sprite_get_packingMode_m1B5AA0F5476DAEADFF14F65E99944B54940D869F (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = Sprite_GetPackingMode_mF0507D88752CDA45A9283445067070092E524317(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
// UnityEngine.Rect UnityEngine.Sprite::get_textureRect()
extern "C" IL2CPP_METHOD_ATTR Rect_t35B976DE901B5423C11705E156938EA27AB402CE Sprite_get_textureRect_m8CDA38796589CB967909F78076E7138907814DCD (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
bool L_0 = Sprite_get_packed_m501A9E7D2C44867665FB579FD1A8C5D397C872C3(__this, /*hidden argument*/NULL);
if (!L_0)
{
goto IL_0023;
}
}
{
int32_t L_1 = Sprite_get_packingMode_m1B5AA0F5476DAEADFF14F65E99944B54940D869F(__this, /*hidden argument*/NULL);
if ((((int32_t)L_1) == ((int32_t)1)))
{
goto IL_0023;
}
}
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_2 = Rect_get_zero_m4CF0F9AD904132829A6EFCA85A1BF52794E7E56B(/*hidden argument*/NULL);
V_0 = L_2;
goto IL_002f;
}
IL_0023:
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_3 = Sprite_GetTextureRect_mE506ABF33181E32E82B75479EE4A0910350B1BF9(__this, /*hidden argument*/NULL);
V_0 = L_3;
goto IL_002f;
}
IL_002f:
{
Rect_t35B976DE901B5423C11705E156938EA27AB402CE L_4 = V_0;
return L_4;
}
}
// UnityEngine.Vector2[] UnityEngine.Sprite::get_vertices()
extern "C" IL2CPP_METHOD_ATTR Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* Sprite_get_vertices_mD858385A07239A56691D1559728B1B5765C32722 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* (*Sprite_get_vertices_mD858385A07239A56691D1559728B1B5765C32722_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_vertices_mD858385A07239A56691D1559728B1B5765C32722_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_vertices_mD858385A07239A56691D1559728B1B5765C32722_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_vertices()");
Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.UInt16[] UnityEngine.Sprite::get_triangles()
extern "C" IL2CPP_METHOD_ATTR UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E* Sprite_get_triangles_m3B0A097930B40C800E0591E5B095D118D2A33D2E (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E* (*Sprite_get_triangles_m3B0A097930B40C800E0591E5B095D118D2A33D2E_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_triangles_m3B0A097930B40C800E0591E5B095D118D2A33D2E_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_triangles_m3B0A097930B40C800E0591E5B095D118D2A33D2E_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_triangles()");
UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E* retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Vector2[] UnityEngine.Sprite::get_uv()
extern "C" IL2CPP_METHOD_ATTR Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* Sprite_get_uv_mBD484CDCD2DF54AAE452ADBA927806193CB0FE84 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, const RuntimeMethod* method)
{
typedef Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* (*Sprite_get_uv_mBD484CDCD2DF54AAE452ADBA927806193CB0FE84_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static Sprite_get_uv_mBD484CDCD2DF54AAE452ADBA927806193CB0FE84_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_uv_mBD484CDCD2DF54AAE452ADBA927806193CB0FE84_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_uv()");
Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.Sprite::GetTextureRect_Injected(UnityEngine.RectU26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Rect_t35B976DE901B5423C11705E156938EA27AB402CE *);
static Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetTextureRect_Injected_m3D0143FD7E689267FAE3164F7C149DB5FF3384C2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetTextureRect_Injected(UnityEngine.Rect&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::GetInnerUVs_Injected(UnityEngine.Vector4U26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *);
static Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetInnerUVs_Injected_m19AF3A32647EE2153374B4B58CB248A5E3715F6B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetInnerUVs_Injected(UnityEngine.Vector4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::GetOuterUVs_Injected(UnityEngine.Vector4U26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *);
static Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetOuterUVs_Injected_m57E56A2D7686D47E6948511F102AF8135E98B2B0_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetOuterUVs_Injected(UnityEngine.Vector4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::GetPadding_Injected(UnityEngine.Vector4U26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *);
static Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_GetPadding_Injected_m843873F288F8CBC4BDDF1BBE20211405039ABBDC_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::GetPadding_Injected(UnityEngine.Vector4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::get_bounds_Injected(UnityEngine.BoundsU26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Bounds_tA2716F5212749C61B0E7B7B77E0CD3D79B742890 *);
static Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_bounds_Injected_m6422C2DBFD84A7B7F921DCA14BDFF2157738194B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_bounds_Injected(UnityEngine.Bounds&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::get_rect_Injected(UnityEngine.RectU26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Rect_t35B976DE901B5423C11705E156938EA27AB402CE * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Rect_t35B976DE901B5423C11705E156938EA27AB402CE *);
static Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_rect_Injected_mABF4FCC2AEDD9EE874797E35EDEFF023A52F5830_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_rect_Injected(UnityEngine.Rect&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::get_border_Injected(UnityEngine.Vector4U26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *);
static Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_border_Injected_mA56DD9A38B61783341DF35C808FBFE93A1BD4BB6_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_border_Injected(UnityEngine.Vector4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Sprite::get_pivot_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC_ftn) (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Sprite_get_pivot_Injected_m526201DCD812D7AB10AACE35E4195F7E53B633EC_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_pivot_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
#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
// UnityEngine.Color UnityEngine.SpriteRenderer::get_color()
extern "C" IL2CPP_METHOD_ATTR Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 SpriteRenderer_get_color_m1456AB27D5B09F28A273EC0BBD4F03A0FDA51E99 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, const RuntimeMethod* method)
{
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870(__this, (Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *)(&V_0), /*hidden argument*/NULL);
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.SpriteRenderer::set_color(UnityEngine.Color)
extern "C" IL2CPP_METHOD_ATTR void SpriteRenderer_set_color_m0729526C86891ADD11611CD13A7A18B851355580 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___value0, const RuntimeMethod* method)
{
{
SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90(__this, (Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.SpriteRenderer::get_color_Injected(UnityEngine.ColorU26)
extern "C" IL2CPP_METHOD_ATTR void SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___ret0, const RuntimeMethod* method)
{
typedef void (*SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870_ftn) (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F *, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *);
static SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SpriteRenderer_get_color_Injected_m06403F5B2B080BA7609454575BC793E00B1C0870_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SpriteRenderer::get_color_Injected(UnityEngine.Color&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.SpriteRenderer::set_color_Injected(UnityEngine.ColorU26)
extern "C" IL2CPP_METHOD_ATTR void SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90 (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F * __this, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___value0, const RuntimeMethod* method)
{
typedef void (*SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90_ftn) (SpriteRenderer_tCD51E875611195DBB91123B68434881D3441BC6F *, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *);
static SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SpriteRenderer_set_color_Injected_mFE58729552E9A143B3C8EA7B89827126DAB3DB90_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SpriteRenderer::set_color_Injected(UnityEngine.Color&)");
_il2cpp_icall_func(__this, ___value0);
}
#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
// UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetInnerUV(UnityEngine.Sprite)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E DataUtility_GetInnerUV_m19FC4FF27A6733C9595B63F265EFBEC3BC183732 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___sprite0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_0 = ___sprite0;
NullCheck(L_0);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = Sprite_GetInnerUVs_m273E051E7DF38ED3D6077781D75A1C1019CABA25(L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000d;
}
IL_000d:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2 = V_0;
return L_2;
}
}
// UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetOuterUV(UnityEngine.Sprite)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E DataUtility_GetOuterUV_mB7DEA861925EECF861EEB643145C54E8BF449213 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___sprite0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_0 = ___sprite0;
NullCheck(L_0);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = Sprite_GetOuterUVs_mD78E47470B4D8AD231F194E256136B0094ECEBC5(L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000d;
}
IL_000d:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2 = V_0;
return L_2;
}
}
// UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetPadding(UnityEngine.Sprite)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E DataUtility_GetPadding_mE967167C8AB44F752F7C3A7B9D0A2789F5BD7034 (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___sprite0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_0 = ___sprite0;
NullCheck(L_0);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = Sprite_GetPadding_m5781452D40FAE3B7D0CE78BF8808637FBFE78105(L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000d;
}
IL_000d:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2 = V_0;
return L_2;
}
}
// UnityEngine.Vector2 UnityEngine.Sprites.DataUtility::GetMinSize(UnityEngine.Sprite)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D DataUtility_GetMinSize_m8031F50000ACDDD00E1CE4C765FA4B0A2E9255AD (Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___sprite0, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_1;
memset(&V_1, 0, sizeof(V_1));
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_2;
memset(&V_2, 0, sizeof(V_2));
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_3;
memset(&V_3, 0, sizeof(V_3));
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_4;
memset(&V_4, 0, sizeof(V_4));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_5;
memset(&V_5, 0, sizeof(V_5));
{
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_0 = ___sprite0;
NullCheck(L_0);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F(L_0, /*hidden argument*/NULL);
V_1 = L_1;
float L_2 = (&V_1)->get_x_0();
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_3 = ___sprite0;
NullCheck(L_3);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_4 = Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F(L_3, /*hidden argument*/NULL);
V_2 = L_4;
float L_5 = (&V_2)->get_z_2();
(&V_0)->set_x_0(((float)il2cpp_codegen_add((float)L_2, (float)L_5)));
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_6 = ___sprite0;
NullCheck(L_6);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_7 = Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F(L_6, /*hidden argument*/NULL);
V_3 = L_7;
float L_8 = (&V_3)->get_y_1();
Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * L_9 = ___sprite0;
NullCheck(L_9);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_10 = Sprite_get_border_m940E803CAD380B3B1B88371D7A4E74DF9A48604F(L_9, /*hidden argument*/NULL);
V_4 = L_10;
float L_11 = (&V_4)->get_w_3();
(&V_0)->set_y_1(((float)il2cpp_codegen_add((float)L_8, (float)L_11)));
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_12 = V_0;
V_5 = L_12;
goto IL_0052;
}
IL_0052:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_13 = V_5;
return L_13;
}
}
#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 UnityEngine.StackTraceUtility::SetProjectFolder(System.String)
extern "C" IL2CPP_METHOD_ATTR void StackTraceUtility_SetProjectFolder_m05FBBB2FF161F2F9F8551EB67D44B50F7CC98E21 (String_t* ___folder0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_SetProjectFolder_m05FBBB2FF161F2F9F8551EB67D44B50F7CC98E21_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
String_t* L_0 = ___folder0;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->set_projectFolder_0(L_0);
String_t* L_1 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
bool L_2 = String_IsNullOrEmpty_m06A85A206AC2106D1982826C5665B9BD35324229(L_1, /*hidden argument*/NULL);
if (L_2)
{
goto IL_002f;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_3 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
NullCheck(L_3);
String_t* L_4 = String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470(L_3, _stringLiteral08534F33C201A45017B502E90A800F1B708EBCB3, _stringLiteral42099B4AF021E53FD8FD4E056C2568D7C2E3FFA8, /*hidden argument*/NULL);
((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->set_projectFolder_0(L_4);
}
IL_002f:
{
return;
}
}
// System.String UnityEngine.StackTraceUtility::ExtractStackTrace()
extern "C" IL2CPP_METHOD_ATTR String_t* StackTraceUtility_ExtractStackTrace_mEDFB4ECA329B87BC7DF2AA3EF7F9A31DAC052DC0 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_ExtractStackTrace_mEDFB4ECA329B87BC7DF2AA3EF7F9A31DAC052DC0_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * V_0 = NULL;
String_t* V_1 = NULL;
String_t* V_2 = NULL;
{
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_0 = (StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 *)il2cpp_codegen_object_new(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_il2cpp_TypeInfo_var);
StackTrace__ctor_mC06D6ED2D5E080D5B9D31E7B595D8A7F0675F504(L_0, 1, (bool)1, /*hidden argument*/NULL);
V_0 = L_0;
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_1 = V_0;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_2 = StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660(L_1, /*hidden argument*/NULL);
NullCheck(L_2);
String_t* L_3 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_2);
V_1 = L_3;
String_t* L_4 = V_1;
V_2 = L_4;
goto IL_001c;
}
IL_001c:
{
String_t* L_5 = V_2;
return L_5;
}
}
// System.Boolean UnityEngine.StackTraceUtility::IsSystemStacktraceType(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357 (RuntimeObject * ___name0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
bool V_1 = false;
int32_t G_B6_0 = 0;
{
RuntimeObject * L_0 = ___name0;
V_0 = ((String_t*)CastclassSealed((RuntimeObject*)L_0, String_t_il2cpp_TypeInfo_var));
String_t* L_1 = V_0;
NullCheck(L_1);
bool L_2 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_1, _stringLiteral0E1C8AF80ED22B735AB8AA9EB42EBB05824A2984, /*hidden argument*/NULL);
if (L_2)
{
goto IL_0055;
}
}
{
String_t* L_3 = V_0;
NullCheck(L_3);
bool L_4 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_3, _stringLiteralBC100C9D64D94485F83F793F65B7DAD5280350B8, /*hidden argument*/NULL);
if (L_4)
{
goto IL_0055;
}
}
{
String_t* L_5 = V_0;
NullCheck(L_5);
bool L_6 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_5, _stringLiteralF88F3BC110B17C96C0857A9DD4115004A7A4BDC8, /*hidden argument*/NULL);
if (L_6)
{
goto IL_0055;
}
}
{
String_t* L_7 = V_0;
NullCheck(L_7);
bool L_8 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_7, _stringLiteralD8F22AFD605CB819B6296BFEBA8A92C55137AF4A, /*hidden argument*/NULL);
if (L_8)
{
goto IL_0055;
}
}
{
String_t* L_9 = V_0;
NullCheck(L_9);
bool L_10 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_9, _stringLiteralD6A1ECAD980B58E3652C7916328F4DFE2C99A662, /*hidden argument*/NULL);
G_B6_0 = ((int32_t)(L_10));
goto IL_0056;
}
IL_0055:
{
G_B6_0 = 1;
}
IL_0056:
{
V_1 = (bool)G_B6_0;
goto IL_005c;
}
IL_005c:
{
bool L_11 = V_1;
return L_11;
}
}
// System.Void UnityEngine.StackTraceUtility::ExtractStringFromExceptionInternal(System.Object,System.StringU26,System.StringU26)
extern "C" IL2CPP_METHOD_ATTR void StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975 (RuntimeObject * ___exceptiono0, String_t** ___message1, String_t** ___stackTrace2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Exception_t * V_0 = NULL;
StringBuilder_t * V_1 = NULL;
String_t* V_2 = NULL;
String_t* V_3 = NULL;
String_t* V_4 = NULL;
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * V_5 = NULL;
int32_t G_B7_0 = 0;
{
RuntimeObject * L_0 = ___exceptiono0;
if (L_0)
{
goto IL_0012;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_1 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_1, _stringLiteralD65DFF2F89D985DD957E05C5F031753F76F1DFA1, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975_RuntimeMethod_var);
}
IL_0012:
{
RuntimeObject * L_2 = ___exceptiono0;
V_0 = ((Exception_t *)IsInstClass((RuntimeObject*)L_2, Exception_t_il2cpp_TypeInfo_var));
Exception_t * L_3 = V_0;
if (L_3)
{
goto IL_002a;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, _stringLiteral0D125FAD9C996770D0DE517A8E41DDF40D0A4789, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, StackTraceUtility_ExtractStringFromExceptionInternal_m1FB3D6414E31C313AC633A24653DA4B1FB59C975_RuntimeMethod_var);
}
IL_002a:
{
Exception_t * L_5 = V_0;
NullCheck(L_5);
String_t* L_6 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Exception::get_StackTrace() */, L_5);
if (L_6)
{
goto IL_003f;
}
}
{
G_B7_0 = ((int32_t)512);
goto IL_004c;
}
IL_003f:
{
Exception_t * L_7 = V_0;
NullCheck(L_7);
String_t* L_8 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Exception::get_StackTrace() */, L_7);
NullCheck(L_8);
int32_t L_9 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_8, /*hidden argument*/NULL);
G_B7_0 = ((int32_t)il2cpp_codegen_multiply((int32_t)L_9, (int32_t)2));
}
IL_004c:
{
StringBuilder_t * L_10 = (StringBuilder_t *)il2cpp_codegen_object_new(StringBuilder_t_il2cpp_TypeInfo_var);
StringBuilder__ctor_m1C0F2D97B838537A2D0F64033AE4EF02D150A956(L_10, G_B7_0, /*hidden argument*/NULL);
V_1 = L_10;
String_t** L_11 = ___message1;
*((RuntimeObject **)L_11) = (RuntimeObject *)_stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709;
Il2CppCodeGenWriteBarrier((RuntimeObject **)L_11, (RuntimeObject *)_stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709);
V_2 = _stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709;
goto IL_0106;
}
IL_0064:
{
String_t* L_12 = V_2;
NullCheck(L_12);
int32_t L_13 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_12, /*hidden argument*/NULL);
if (L_13)
{
goto IL_007c;
}
}
{
Exception_t * L_14 = V_0;
NullCheck(L_14);
String_t* L_15 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Exception::get_StackTrace() */, L_14);
V_2 = L_15;
goto IL_008e;
}
IL_007c:
{
Exception_t * L_16 = V_0;
NullCheck(L_16);
String_t* L_17 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Exception::get_StackTrace() */, L_16);
String_t* L_18 = V_2;
String_t* L_19 = String_Concat_mF4626905368D6558695A823466A1AF65EADB9923(L_17, _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC, L_18, /*hidden argument*/NULL);
V_2 = L_19;
}
IL_008e:
{
Exception_t * L_20 = V_0;
NullCheck(L_20);
Type_t * L_21 = Exception_GetType_mA3390B9D538D5FAC3802D9D8A2FCAC31465130F3(L_20, /*hidden argument*/NULL);
NullCheck(L_21);
String_t* L_22 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_21);
V_3 = L_22;
V_4 = _stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709;
Exception_t * L_23 = V_0;
NullCheck(L_23);
String_t* L_24 = VirtFuncInvoker0< String_t* >::Invoke(5 /* System.String System.Exception::get_Message() */, L_23);
if (!L_24)
{
goto IL_00b4;
}
}
{
Exception_t * L_25 = V_0;
NullCheck(L_25);
String_t* L_26 = VirtFuncInvoker0< String_t* >::Invoke(5 /* System.String System.Exception::get_Message() */, L_25);
V_4 = L_26;
}
IL_00b4:
{
String_t* L_27 = V_4;
NullCheck(L_27);
String_t* L_28 = String_Trim_mB52EB7876C7132358B76B7DC95DEACA20722EF4D(L_27, /*hidden argument*/NULL);
NullCheck(L_28);
int32_t L_29 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_28, /*hidden argument*/NULL);
if (!L_29)
{
goto IL_00dc;
}
}
{
String_t* L_30 = V_3;
String_t* L_31 = String_Concat_mB78D0094592718DA6D5DB6C712A9C225631666BE(L_30, _stringLiteralCECA32E904728D1645727CB2B9CDEAA153807D77, /*hidden argument*/NULL);
V_3 = L_31;
String_t* L_32 = V_3;
String_t* L_33 = V_4;
String_t* L_34 = String_Concat_mB78D0094592718DA6D5DB6C712A9C225631666BE(L_32, L_33, /*hidden argument*/NULL);
V_3 = L_34;
}
IL_00dc:
{
String_t** L_35 = ___message1;
String_t* L_36 = V_3;
*((RuntimeObject **)L_35) = (RuntimeObject *)L_36;
Il2CppCodeGenWriteBarrier((RuntimeObject **)L_35, (RuntimeObject *)L_36);
Exception_t * L_37 = V_0;
NullCheck(L_37);
Exception_t * L_38 = Exception_get_InnerException_mCB68CC8CBF2540EF381CB17A4E4E3F6D0E33453F(L_37, /*hidden argument*/NULL);
if (!L_38)
{
goto IL_00fe;
}
}
{
String_t* L_39 = V_3;
String_t* L_40 = V_2;
String_t* L_41 = String_Concat_mDD2E38332DED3A8C088D38D78A0E0BEB5091DA64(_stringLiteral38A68AD6E21467B8D96BD56941DCDF9588DD49B7, L_39, _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC, L_40, /*hidden argument*/NULL);
V_2 = L_41;
}
IL_00fe:
{
Exception_t * L_42 = V_0;
NullCheck(L_42);
Exception_t * L_43 = Exception_get_InnerException_mCB68CC8CBF2540EF381CB17A4E4E3F6D0E33453F(L_42, /*hidden argument*/NULL);
V_0 = L_43;
}
IL_0106:
{
Exception_t * L_44 = V_0;
if (L_44)
{
goto IL_0064;
}
}
{
StringBuilder_t * L_45 = V_1;
String_t* L_46 = V_2;
String_t* L_47 = String_Concat_mB78D0094592718DA6D5DB6C712A9C225631666BE(L_46, _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC, /*hidden argument*/NULL);
NullCheck(L_45);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_45, L_47, /*hidden argument*/NULL);
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_48 = (StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 *)il2cpp_codegen_object_new(StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99_il2cpp_TypeInfo_var);
StackTrace__ctor_mC06D6ED2D5E080D5B9D31E7B595D8A7F0675F504(L_48, 1, (bool)1, /*hidden argument*/NULL);
V_5 = L_48;
StringBuilder_t * L_49 = V_1;
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_50 = V_5;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_51 = StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660(L_50, /*hidden argument*/NULL);
NullCheck(L_49);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_49, L_51, /*hidden argument*/NULL);
String_t** L_52 = ___stackTrace2;
StringBuilder_t * L_53 = V_1;
NullCheck(L_53);
String_t* L_54 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_53);
*((RuntimeObject **)L_52) = (RuntimeObject *)L_54;
Il2CppCodeGenWriteBarrier((RuntimeObject **)L_52, (RuntimeObject *)L_54);
return;
}
}
// System.String UnityEngine.StackTraceUtility::PostprocessStacktrace(System.String,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR String_t* StackTraceUtility_PostprocessStacktrace_mBE9F5550E1BA5C5C7778B9EF148BDB50ADDB5DD9 (String_t* ___oldString0, bool ___stripEngineInternalInformation1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_PostprocessStacktrace_mBE9F5550E1BA5C5C7778B9EF148BDB50ADDB5DD9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* V_1 = NULL;
StringBuilder_t * V_2 = NULL;
int32_t V_3 = 0;
int32_t V_4 = 0;
String_t* V_5 = NULL;
int32_t V_6 = 0;
int32_t V_7 = 0;
int32_t V_8 = 0;
int32_t V_9 = 0;
{
String_t* L_0 = ___oldString0;
if (L_0)
{
goto IL_0012;
}
}
{
String_t* L_1 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5();
V_0 = L_1;
goto IL_02b3;
}
IL_0012:
{
String_t* L_2 = ___oldString0;
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_3 = (CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2*)SZArrayNew(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2_il2cpp_TypeInfo_var, (uint32_t)1);
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_4 = L_3;
NullCheck(L_4);
(L_4)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppChar)((int32_t)10));
NullCheck(L_2);
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_5 = String_Split_m13262358217AD2C119FD1B9733C3C0289D608512(L_2, L_4, /*hidden argument*/NULL);
V_1 = L_5;
String_t* L_6 = ___oldString0;
NullCheck(L_6);
int32_t L_7 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_6, /*hidden argument*/NULL);
StringBuilder_t * L_8 = (StringBuilder_t *)il2cpp_codegen_object_new(StringBuilder_t_il2cpp_TypeInfo_var);
StringBuilder__ctor_m1C0F2D97B838537A2D0F64033AE4EF02D150A956(L_8, L_7, /*hidden argument*/NULL);
V_2 = L_8;
V_3 = 0;
goto IL_0046;
}
IL_0037:
{
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_9 = V_1;
int32_t L_10 = V_3;
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_11 = V_1;
int32_t L_12 = V_3;
NullCheck(L_11);
int32_t L_13 = L_12;
String_t* L_14 = (L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13));
NullCheck(L_14);
String_t* L_15 = String_Trim_mB52EB7876C7132358B76B7DC95DEACA20722EF4D(L_14, /*hidden argument*/NULL);
NullCheck(L_9);
ArrayElementTypeCheck (L_9, L_15);
(L_9)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (String_t*)L_15);
int32_t L_16 = V_3;
V_3 = ((int32_t)il2cpp_codegen_add((int32_t)L_16, (int32_t)1));
}
IL_0046:
{
int32_t L_17 = V_3;
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_18 = V_1;
NullCheck(L_18);
if ((((int32_t)L_17) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_18)->max_length)))))))
{
goto IL_0037;
}
}
{
V_4 = 0;
goto IL_029d;
}
IL_0057:
{
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_19 = V_1;
int32_t L_20 = V_4;
NullCheck(L_19);
int32_t L_21 = L_20;
String_t* L_22 = (L_19)->GetAt(static_cast<il2cpp_array_size_t>(L_21));
V_5 = L_22;
String_t* L_23 = V_5;
NullCheck(L_23);
int32_t L_24 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_23, /*hidden argument*/NULL);
if (!L_24)
{
goto IL_0079;
}
}
{
String_t* L_25 = V_5;
NullCheck(L_25);
Il2CppChar L_26 = String_get_Chars_m14308AC3B95F8C1D9F1D1055B116B37D595F1D96(L_25, 0, /*hidden argument*/NULL);
if ((!(((uint32_t)L_26) == ((uint32_t)((int32_t)10)))))
{
goto IL_007e;
}
}
IL_0079:
{
goto IL_0297;
}
IL_007e:
{
String_t* L_27 = V_5;
NullCheck(L_27);
bool L_28 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_27, _stringLiteralFB502D23AF1B5E8C52E103562939D8DACB3485B3, /*hidden argument*/NULL);
if (!L_28)
{
goto IL_0094;
}
}
{
goto IL_0297;
}
IL_0094:
{
bool L_29 = ___stripEngineInternalInformation1;
if (!L_29)
{
goto IL_00b0;
}
}
{
String_t* L_30 = V_5;
NullCheck(L_30);
bool L_31 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_30, _stringLiteralDA28917F43DFC05BA8F32F8C208CF1FF8A1F0EE6, /*hidden argument*/NULL);
if (!L_31)
{
goto IL_00b0;
}
}
{
goto IL_02a7;
}
IL_00b0:
{
bool L_32 = ___stripEngineInternalInformation1;
if (!L_32)
{
goto IL_0107;
}
}
{
int32_t L_33 = V_4;
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_34 = V_1;
NullCheck(L_34);
if ((((int32_t)L_33) >= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_34)->max_length)))), (int32_t)1)))))
{
goto IL_0107;
}
}
{
String_t* L_35 = V_5;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
bool L_36 = StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357(L_35, /*hidden argument*/NULL);
if (!L_36)
{
goto IL_0107;
}
}
{
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_37 = V_1;
int32_t L_38 = V_4;
NullCheck(L_37);
int32_t L_39 = ((int32_t)il2cpp_codegen_add((int32_t)L_38, (int32_t)1));
String_t* L_40 = (L_37)->GetAt(static_cast<il2cpp_array_size_t>(L_39));
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
bool L_41 = StackTraceUtility_IsSystemStacktraceType_m8FDCF1A6822F18065A614918A990F480B1EC6357(L_40, /*hidden argument*/NULL);
if (!L_41)
{
goto IL_00e4;
}
}
{
goto IL_0297;
}
IL_00e4:
{
String_t* L_42 = V_5;
NullCheck(L_42);
int32_t L_43 = String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B(L_42, _stringLiteral86A7485E1462BBE2A96788B951D6613BB952B6CC, /*hidden argument*/NULL);
V_6 = L_43;
int32_t L_44 = V_6;
if ((((int32_t)L_44) == ((int32_t)(-1))))
{
goto IL_0106;
}
}
{
String_t* L_45 = V_5;
int32_t L_46 = V_6;
NullCheck(L_45);
String_t* L_47 = String_Substring_mB593C0A320C683E6E47EFFC0A12B7A465E5E43BB(L_45, 0, L_46, /*hidden argument*/NULL);
V_5 = L_47;
}
IL_0106:
{
}
IL_0107:
{
String_t* L_48 = V_5;
NullCheck(L_48);
int32_t L_49 = String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B(L_48, _stringLiteral91A8078C52ED187C1897725B2A5BA853F7D6C3D9, /*hidden argument*/NULL);
if ((((int32_t)L_49) == ((int32_t)(-1))))
{
goto IL_011e;
}
}
{
goto IL_0297;
}
IL_011e:
{
String_t* L_50 = V_5;
NullCheck(L_50);
int32_t L_51 = String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B(L_50, _stringLiteral70F647D297AE3699B9AE4737A9E9E23C0BC0EDBC, /*hidden argument*/NULL);
if ((((int32_t)L_51) == ((int32_t)(-1))))
{
goto IL_0135;
}
}
{
goto IL_0297;
}
IL_0135:
{
String_t* L_52 = V_5;
NullCheck(L_52);
int32_t L_53 = String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B(L_52, _stringLiteral78259CC481560C68A39AC0ADE195B9767AF4CDC4, /*hidden argument*/NULL);
if ((((int32_t)L_53) == ((int32_t)(-1))))
{
goto IL_014c;
}
}
{
goto IL_0297;
}
IL_014c:
{
bool L_54 = ___stripEngineInternalInformation1;
if (!L_54)
{
goto IL_0179;
}
}
{
String_t* L_55 = V_5;
NullCheck(L_55);
bool L_56 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_55, _stringLiteral1E5C2F367F02E47A8C160CDA1CD9D91DECBAC441, /*hidden argument*/NULL);
if (!L_56)
{
goto IL_0179;
}
}
{
String_t* L_57 = V_5;
NullCheck(L_57);
bool L_58 = String_EndsWith_mE4F039DCC2A9FCB8C1ED2D04B00A35E3CE16DE99(L_57, _stringLiteral4FF447B8EF42CA51FA6FB287BED8D40F49BE58F1, /*hidden argument*/NULL);
if (!L_58)
{
goto IL_0179;
}
}
{
goto IL_0297;
}
IL_0179:
{
String_t* L_59 = V_5;
NullCheck(L_59);
bool L_60 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_59, _stringLiteral3BCAF6F0BBCE8F3C4358C3A2F2387713EC237985, /*hidden argument*/NULL);
if (!L_60)
{
goto IL_0197;
}
}
{
String_t* L_61 = V_5;
NullCheck(L_61);
String_t* L_62 = String_Remove_m54FD37F2B9CA7DBFE440B0CB8503640A2CFF00FF(L_61, 0, 3, /*hidden argument*/NULL);
V_5 = L_62;
}
IL_0197:
{
String_t* L_63 = V_5;
NullCheck(L_63);
int32_t L_64 = String_IndexOf_mA9A0117D68338238E51E5928CDA8EB3DC9DA497B(L_63, _stringLiteral4D0222981FBAE35DD2444D1FA5394102E4B02864, /*hidden argument*/NULL);
V_7 = L_64;
V_8 = (-1);
int32_t L_65 = V_7;
if ((((int32_t)L_65) == ((int32_t)(-1))))
{
goto IL_01c0;
}
}
{
String_t* L_66 = V_5;
int32_t L_67 = V_7;
NullCheck(L_66);
int32_t L_68 = String_IndexOf_m9285F4AFCAD971E6AFB6F0212B415989CB3DACA5(L_66, _stringLiteral4FF447B8EF42CA51FA6FB287BED8D40F49BE58F1, L_67, /*hidden argument*/NULL);
V_8 = L_68;
}
IL_01c0:
{
int32_t L_69 = V_7;
if ((((int32_t)L_69) == ((int32_t)(-1))))
{
goto IL_01e5;
}
}
{
int32_t L_70 = V_8;
int32_t L_71 = V_7;
if ((((int32_t)L_70) <= ((int32_t)L_71)))
{
goto IL_01e5;
}
}
{
String_t* L_72 = V_5;
int32_t L_73 = V_7;
int32_t L_74 = V_8;
int32_t L_75 = V_7;
NullCheck(L_72);
String_t* L_76 = String_Remove_m54FD37F2B9CA7DBFE440B0CB8503640A2CFF00FF(L_72, L_73, ((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_74, (int32_t)L_75)), (int32_t)1)), /*hidden argument*/NULL);
V_5 = L_76;
}
IL_01e5:
{
String_t* L_77 = V_5;
NullCheck(L_77);
String_t* L_78 = String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470(L_77, _stringLiteral6BDD1E3A7F527366858378A63E29F34F08187666, _stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709, /*hidden argument*/NULL);
V_5 = L_78;
String_t* L_79 = V_5;
NullCheck(L_79);
String_t* L_80 = String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470(L_79, _stringLiteral08534F33C201A45017B502E90A800F1B708EBCB3, _stringLiteral42099B4AF021E53FD8FD4E056C2568D7C2E3FFA8, /*hidden argument*/NULL);
V_5 = L_80;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_81 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
bool L_82 = String_IsNullOrEmpty_m06A85A206AC2106D1982826C5665B9BD35324229(L_81, /*hidden argument*/NULL);
if (L_82)
{
goto IL_022d;
}
}
{
String_t* L_83 = V_5;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_84 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
NullCheck(L_83);
String_t* L_85 = String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470(L_83, L_84, _stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709, /*hidden argument*/NULL);
V_5 = L_85;
}
IL_022d:
{
String_t* L_86 = V_5;
NullCheck(L_86);
String_t* L_87 = String_Replace_m276641366A463205C185A9B3DC0E24ECB95122C9(L_86, ((int32_t)92), ((int32_t)47), /*hidden argument*/NULL);
V_5 = L_87;
String_t* L_88 = V_5;
NullCheck(L_88);
int32_t L_89 = String_LastIndexOf_mC924D20DC71F85A7106D9DD09BF41497C6816E20(L_88, _stringLiteral888FECF2120401CA905D5928CC82AFDBEAAEF797, /*hidden argument*/NULL);
V_9 = L_89;
int32_t L_90 = V_9;
if ((((int32_t)L_90) == ((int32_t)(-1))))
{
goto IL_0283;
}
}
{
String_t* L_91 = V_5;
int32_t L_92 = V_9;
NullCheck(L_91);
String_t* L_93 = String_Remove_m54FD37F2B9CA7DBFE440B0CB8503640A2CFF00FF(L_91, L_92, 5, /*hidden argument*/NULL);
V_5 = L_93;
String_t* L_94 = V_5;
int32_t L_95 = V_9;
NullCheck(L_94);
String_t* L_96 = String_Insert_m2525FE6F79C96A359A588C8FA764419EBD811749(L_94, L_95, _stringLiteralB808770940FE0FD9F948A9E3A29D93CA9AF79472, /*hidden argument*/NULL);
V_5 = L_96;
String_t* L_97 = V_5;
String_t* L_98 = V_5;
NullCheck(L_98);
int32_t L_99 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_98, /*hidden argument*/NULL);
NullCheck(L_97);
String_t* L_100 = String_Insert_m2525FE6F79C96A359A588C8FA764419EBD811749(L_97, L_99, _stringLiteralE7064F0B80F61DBC65915311032D27BAA569AE2A, /*hidden argument*/NULL);
V_5 = L_100;
}
IL_0283:
{
StringBuilder_t * L_101 = V_2;
String_t* L_102 = V_5;
String_t* L_103 = String_Concat_mB78D0094592718DA6D5DB6C712A9C225631666BE(L_102, _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC, /*hidden argument*/NULL);
NullCheck(L_101);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_101, L_103, /*hidden argument*/NULL);
}
IL_0297:
{
int32_t L_104 = V_4;
V_4 = ((int32_t)il2cpp_codegen_add((int32_t)L_104, (int32_t)1));
}
IL_029d:
{
int32_t L_105 = V_4;
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* L_106 = V_1;
NullCheck(L_106);
if ((((int32_t)L_105) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_106)->max_length)))))))
{
goto IL_0057;
}
}
IL_02a7:
{
StringBuilder_t * L_107 = V_2;
NullCheck(L_107);
String_t* L_108 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_107);
V_0 = L_108;
goto IL_02b3;
}
IL_02b3:
{
String_t* L_109 = V_0;
return L_109;
}
}
// System.String UnityEngine.StackTraceUtility::ExtractFormattedStackTrace(System.Diagnostics.StackTrace)
extern "C" IL2CPP_METHOD_ATTR String_t* StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660 (StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * ___stackTrace0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility_ExtractFormattedStackTrace_m02A2ACEEF753617FAAA08B4EA840A49263901660_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
StringBuilder_t * V_0 = NULL;
int32_t V_1 = 0;
StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * V_2 = NULL;
MethodBase_t * V_3 = NULL;
Type_t * V_4 = NULL;
String_t* V_5 = NULL;
int32_t V_6 = 0;
ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* V_7 = NULL;
bool V_8 = false;
String_t* V_9 = NULL;
bool V_10 = false;
int32_t V_11 = 0;
String_t* V_12 = NULL;
int32_t G_B27_0 = 0;
int32_t G_B29_0 = 0;
{
StringBuilder_t * L_0 = (StringBuilder_t *)il2cpp_codegen_object_new(StringBuilder_t_il2cpp_TypeInfo_var);
StringBuilder__ctor_m1C0F2D97B838537A2D0F64033AE4EF02D150A956(L_0, ((int32_t)255), /*hidden argument*/NULL);
V_0 = L_0;
V_1 = 0;
goto IL_02cb;
}
IL_0013:
{
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_1 = ___stackTrace0;
int32_t L_2 = V_1;
NullCheck(L_1);
StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * L_3 = VirtFuncInvoker1< StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 *, int32_t >::Invoke(5 /* System.Diagnostics.StackFrame System.Diagnostics.StackTrace::GetFrame(System.Int32) */, L_1, L_2);
V_2 = L_3;
StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * L_4 = V_2;
NullCheck(L_4);
MethodBase_t * L_5 = VirtFuncInvoker0< MethodBase_t * >::Invoke(7 /* System.Reflection.MethodBase System.Diagnostics.StackFrame::GetMethod() */, L_4);
V_3 = L_5;
MethodBase_t * L_6 = V_3;
if (L_6)
{
goto IL_002e;
}
}
{
goto IL_02c7;
}
IL_002e:
{
MethodBase_t * L_7 = V_3;
NullCheck(L_7);
Type_t * L_8 = VirtFuncInvoker0< Type_t * >::Invoke(8 /* System.Type System.Reflection.MemberInfo::get_DeclaringType() */, L_7);
V_4 = L_8;
Type_t * L_9 = V_4;
if (L_9)
{
goto IL_0042;
}
}
{
goto IL_02c7;
}
IL_0042:
{
Type_t * L_10 = V_4;
NullCheck(L_10);
String_t* L_11 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_10);
V_5 = L_11;
String_t* L_12 = V_5;
if (!L_12)
{
goto IL_0075;
}
}
{
String_t* L_13 = V_5;
NullCheck(L_13);
int32_t L_14 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_13, /*hidden argument*/NULL);
if (!L_14)
{
goto IL_0075;
}
}
{
StringBuilder_t * L_15 = V_0;
String_t* L_16 = V_5;
NullCheck(L_15);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_15, L_16, /*hidden argument*/NULL);
StringBuilder_t * L_17 = V_0;
NullCheck(L_17);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_17, _stringLiteral3A52CE780950D4D969792A2559CD519D7EE8C727, /*hidden argument*/NULL);
}
IL_0075:
{
StringBuilder_t * L_18 = V_0;
Type_t * L_19 = V_4;
NullCheck(L_19);
String_t* L_20 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_19);
NullCheck(L_18);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_18, L_20, /*hidden argument*/NULL);
StringBuilder_t * L_21 = V_0;
NullCheck(L_21);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_21, _stringLiteral05A79F06CF3F67F726DAE68D18A2290F6C9A50C9, /*hidden argument*/NULL);
StringBuilder_t * L_22 = V_0;
MethodBase_t * L_23 = V_3;
NullCheck(L_23);
String_t* L_24 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_23);
NullCheck(L_22);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_22, L_24, /*hidden argument*/NULL);
StringBuilder_t * L_25 = V_0;
NullCheck(L_25);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_25, _stringLiteral28ED3A797DA3C48C309A4EF792147F3C56CFEC40, /*hidden argument*/NULL);
V_6 = 0;
MethodBase_t * L_26 = V_3;
NullCheck(L_26);
ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* L_27 = VirtFuncInvoker0< ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* >::Invoke(17 /* System.Reflection.ParameterInfo[] System.Reflection.MethodBase::GetParameters() */, L_26);
V_7 = L_27;
V_8 = (bool)1;
goto IL_00f4;
}
IL_00bb:
{
bool L_28 = V_8;
if (L_28)
{
goto IL_00d4;
}
}
{
StringBuilder_t * L_29 = V_0;
NullCheck(L_29);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_29, _stringLiteralD3BC9A378DAAA1DDDBA1B19C1AA641D3E9683C46, /*hidden argument*/NULL);
goto IL_00d7;
}
IL_00d4:
{
V_8 = (bool)0;
}
IL_00d7:
{
StringBuilder_t * L_30 = V_0;
ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* L_31 = V_7;
int32_t L_32 = V_6;
NullCheck(L_31);
int32_t L_33 = L_32;
ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB * L_34 = (L_31)->GetAt(static_cast<il2cpp_array_size_t>(L_33));
NullCheck(L_34);
Type_t * L_35 = VirtFuncInvoker0< Type_t * >::Invoke(7 /* System.Type System.Reflection.ParameterInfo::get_ParameterType() */, L_34);
NullCheck(L_35);
String_t* L_36 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_35);
NullCheck(L_30);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_30, L_36, /*hidden argument*/NULL);
int32_t L_37 = V_6;
V_6 = ((int32_t)il2cpp_codegen_add((int32_t)L_37, (int32_t)1));
}
IL_00f4:
{
int32_t L_38 = V_6;
ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* L_39 = V_7;
NullCheck(L_39);
if ((((int32_t)L_38) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_39)->max_length)))))))
{
goto IL_00bb;
}
}
{
StringBuilder_t * L_40 = V_0;
NullCheck(L_40);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_40, _stringLiteralE7064F0B80F61DBC65915311032D27BAA569AE2A, /*hidden argument*/NULL);
StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * L_41 = V_2;
NullCheck(L_41);
String_t* L_42 = VirtFuncInvoker0< String_t* >::Invoke(5 /* System.String System.Diagnostics.StackFrame::GetFileName() */, L_41);
V_9 = L_42;
String_t* L_43 = V_9;
if (!L_43)
{
goto IL_02ba;
}
}
{
Type_t * L_44 = V_4;
NullCheck(L_44);
String_t* L_45 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_44);
bool L_46 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_45, _stringLiteralBD604D99E75E45D38BC7AC8FC714CDE0097D901F, /*hidden argument*/NULL);
if (!L_46)
{
goto IL_0147;
}
}
{
Type_t * L_47 = V_4;
NullCheck(L_47);
String_t* L_48 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_47);
bool L_49 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_48, _stringLiteral50D86FCBE2ABB9A65B07323B311FF2296682029D, /*hidden argument*/NULL);
if (L_49)
{
goto IL_020c;
}
}
IL_0147:
{
Type_t * L_50 = V_4;
NullCheck(L_50);
String_t* L_51 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_50);
bool L_52 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_51, _stringLiteral8432C24573F3F89FAD60802FE8EDDF1DA6315768, /*hidden argument*/NULL);
if (!L_52)
{
goto IL_0173;
}
}
{
Type_t * L_53 = V_4;
NullCheck(L_53);
String_t* L_54 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_53);
bool L_55 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_54, _stringLiteral50D86FCBE2ABB9A65B07323B311FF2296682029D, /*hidden argument*/NULL);
if (L_55)
{
goto IL_020c;
}
}
IL_0173:
{
Type_t * L_56 = V_4;
NullCheck(L_56);
String_t* L_57 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_56);
bool L_58 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_57, _stringLiteral34337AE3CA64AFEEBAFB7B2A01B02AF75A430A4D, /*hidden argument*/NULL);
if (!L_58)
{
goto IL_019f;
}
}
{
Type_t * L_59 = V_4;
NullCheck(L_59);
String_t* L_60 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_59);
bool L_61 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_60, _stringLiteral50D86FCBE2ABB9A65B07323B311FF2296682029D, /*hidden argument*/NULL);
if (L_61)
{
goto IL_020c;
}
}
IL_019f:
{
Type_t * L_62 = V_4;
NullCheck(L_62);
String_t* L_63 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_62);
bool L_64 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_63, _stringLiteral4141ADD45A26459C4BD39909388482311F6FE29A, /*hidden argument*/NULL);
if (!L_64)
{
goto IL_01cb;
}
}
{
Type_t * L_65 = V_4;
NullCheck(L_65);
String_t* L_66 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_65);
bool L_67 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_66, _stringLiteral1745B8350D479ECA1E6A138E3D4EEA836E2A4F2A, /*hidden argument*/NULL);
if (L_67)
{
goto IL_020c;
}
}
IL_01cb:
{
MethodBase_t * L_68 = V_3;
NullCheck(L_68);
String_t* L_69 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_68);
bool L_70 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_69, _stringLiteral6D0D5876E6710EBB4F309B5AF01090CB97381D06, /*hidden argument*/NULL);
if (!L_70)
{
goto IL_0209;
}
}
{
Type_t * L_71 = V_4;
NullCheck(L_71);
String_t* L_72 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_71);
bool L_73 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_72, _stringLiteral56B746AB68C7038037DA048FD1D8D9DC29F517AF, /*hidden argument*/NULL);
if (!L_73)
{
goto IL_0209;
}
}
{
Type_t * L_74 = V_4;
NullCheck(L_74);
String_t* L_75 = VirtFuncInvoker0< String_t* >::Invoke(26 /* System.String System.Type::get_Namespace() */, L_74);
bool L_76 = String_op_Equality_m139F0E4195AE2F856019E63B241F36F016997FCE(L_75, _stringLiteral50D86FCBE2ABB9A65B07323B311FF2296682029D, /*hidden argument*/NULL);
G_B27_0 = ((int32_t)(L_76));
goto IL_020a;
}
IL_0209:
{
G_B27_0 = 0;
}
IL_020a:
{
G_B29_0 = G_B27_0;
goto IL_020d;
}
IL_020c:
{
G_B29_0 = 1;
}
IL_020d:
{
V_10 = (bool)G_B29_0;
bool L_77 = V_10;
if (L_77)
{
goto IL_02b9;
}
}
{
StringBuilder_t * L_78 = V_0;
NullCheck(L_78);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_78, _stringLiteralB808770940FE0FD9F948A9E3A29D93CA9AF79472, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_79 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
bool L_80 = String_IsNullOrEmpty_m06A85A206AC2106D1982826C5665B9BD35324229(L_79, /*hidden argument*/NULL);
if (L_80)
{
goto IL_027b;
}
}
{
String_t* L_81 = V_9;
NullCheck(L_81);
String_t* L_82 = String_Replace_m970DFB0A280952FA7D3BA20AB7A8FB9F80CF6470(L_81, _stringLiteral08534F33C201A45017B502E90A800F1B708EBCB3, _stringLiteral42099B4AF021E53FD8FD4E056C2568D7C2E3FFA8, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_83 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
NullCheck(L_82);
bool L_84 = String_StartsWith_m7D468FB7C801D9C2DBEEEEC86F8BA8F4EC3243C1(L_82, L_83, /*hidden argument*/NULL);
if (!L_84)
{
goto IL_027a;
}
}
{
String_t* L_85 = V_9;
IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var);
String_t* L_86 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
NullCheck(L_86);
int32_t L_87 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_86, /*hidden argument*/NULL);
String_t* L_88 = V_9;
NullCheck(L_88);
int32_t L_89 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_88, /*hidden argument*/NULL);
String_t* L_90 = ((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->get_projectFolder_0();
NullCheck(L_90);
int32_t L_91 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_90, /*hidden argument*/NULL);
NullCheck(L_85);
String_t* L_92 = String_Substring_mB593C0A320C683E6E47EFFC0A12B7A465E5E43BB(L_85, L_87, ((int32_t)il2cpp_codegen_subtract((int32_t)L_89, (int32_t)L_91)), /*hidden argument*/NULL);
V_9 = L_92;
}
IL_027a:
{
}
IL_027b:
{
StringBuilder_t * L_93 = V_0;
String_t* L_94 = V_9;
NullCheck(L_93);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_93, L_94, /*hidden argument*/NULL);
StringBuilder_t * L_95 = V_0;
NullCheck(L_95);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_95, _stringLiteral05A79F06CF3F67F726DAE68D18A2290F6C9A50C9, /*hidden argument*/NULL);
StringBuilder_t * L_96 = V_0;
StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * L_97 = V_2;
NullCheck(L_97);
int32_t L_98 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Diagnostics.StackFrame::GetFileLineNumber() */, L_97);
V_11 = L_98;
String_t* L_99 = Int32_ToString_m1863896DE712BF97C031D55B12E1583F1982DC02((int32_t*)(&V_11), /*hidden argument*/NULL);
NullCheck(L_96);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_96, L_99, /*hidden argument*/NULL);
StringBuilder_t * L_100 = V_0;
NullCheck(L_100);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_100, _stringLiteralE7064F0B80F61DBC65915311032D27BAA569AE2A, /*hidden argument*/NULL);
}
IL_02b9:
{
}
IL_02ba:
{
StringBuilder_t * L_101 = V_0;
NullCheck(L_101);
StringBuilder_Append_mDBB8CCBB7750C67BE2F2D92F47E6C0FA42793260(L_101, _stringLiteralADC83B19E793491B1C6EA0FD8B46CD9F32E592FC, /*hidden argument*/NULL);
}
IL_02c7:
{
int32_t L_102 = V_1;
V_1 = ((int32_t)il2cpp_codegen_add((int32_t)L_102, (int32_t)1));
}
IL_02cb:
{
int32_t L_103 = V_1;
StackTrace_tD5D45826A379D8DF0CFB2CA206D992EE718C7E99 * L_104 = ___stackTrace0;
NullCheck(L_104);
int32_t L_105 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Diagnostics.StackTrace::get_FrameCount() */, L_104);
if ((((int32_t)L_103) < ((int32_t)L_105)))
{
goto IL_0013;
}
}
{
StringBuilder_t * L_106 = V_0;
NullCheck(L_106);
String_t* L_107 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_106);
V_12 = L_107;
goto IL_02e4;
}
IL_02e4:
{
String_t* L_108 = V_12;
return L_108;
}
}
// System.Void UnityEngine.StackTraceUtility::.cctor()
extern "C" IL2CPP_METHOD_ATTR void StackTraceUtility__cctor_mDDEE2A2B6EBEDB75E0C28C81AFEDB1E9C372A165 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (StackTraceUtility__cctor_mDDEE2A2B6EBEDB75E0C28C81AFEDB1E9C372A165_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
((StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_tEC8508315507A7E593CB689255A3FDACEE505C47_il2cpp_TypeInfo_var))->set_projectFolder_0(_stringLiteralDA39A3EE5E6B4B0D3255BFEF95601890AFD80709);
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
// UnityEngine.OperatingSystemFamily UnityEngine.SystemInfo::get_operatingSystemFamily()
extern "C" IL2CPP_METHOD_ATTR int32_t SystemInfo_get_operatingSystemFamily_mA35FE1FF2DD6240B2880DC5F642D4A0CC2B58D8D (const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93(/*hidden argument*/NULL);
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
int32_t L_1 = V_0;
return L_1;
}
}
// System.Boolean UnityEngine.SystemInfo::IsValidEnumValue(System.Enum)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740 (Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * L_0 = ___value0;
NullCheck(L_0);
Type_t * L_1 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60(L_0, /*hidden argument*/NULL);
Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * L_2 = ___value0;
IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var);
bool L_3 = Enum_IsDefined_mA573B15329CA2AA7C59367D514D2927FC66217E2(L_1, L_2, /*hidden argument*/NULL);
if (L_3)
{
goto IL_0019;
}
}
{
V_0 = (bool)0;
goto IL_0020;
}
IL_0019:
{
V_0 = (bool)1;
goto IL_0020;
}
IL_0020:
{
bool L_4 = V_0;
return L_4;
}
}
// System.Boolean UnityEngine.SystemInfo::SupportsRenderTextureFormat(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907 (int32_t ___format0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___format0;
int32_t L_1 = L_0;
RuntimeObject * L_2 = Box(RenderTextureFormat_t2AB1B77FBD247648292FBBE1182F12B5FC47AF85_il2cpp_TypeInfo_var, &L_1);
bool L_3 = SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740((Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 *)L_2, /*hidden argument*/NULL);
if (L_3)
{
goto IL_001c;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, _stringLiteral708A87F4DFB107B2485D8951A5A68918EEB86446, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907_RuntimeMethod_var);
}
IL_001c:
{
int32_t L_5 = ___format0;
bool L_6 = SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468(L_5, /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0028;
}
IL_0028:
{
bool L_7 = V_0;
return L_7;
}
}
// System.Boolean UnityEngine.SystemInfo::SupportsTextureFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79 (int32_t ___format0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___format0;
int32_t L_1 = L_0;
RuntimeObject * L_2 = Box(TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE_il2cpp_TypeInfo_var, &L_1);
bool L_3 = SystemInfo_IsValidEnumValue_m112F964C57B2311EA910CCA5CE0FFABFFF906740((Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 *)L_2, /*hidden argument*/NULL);
if (L_3)
{
goto IL_001c;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, _stringLiteralD3FD53C52D30CDB029CBC791249A954CC8A039F0, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79_RuntimeMethod_var);
}
IL_001c:
{
int32_t L_5 = ___format0;
bool L_6 = SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210(L_5, /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0028;
}
IL_0028:
{
bool L_7 = V_0;
return L_7;
}
}
// UnityEngine.OperatingSystemFamily UnityEngine.SystemInfo::GetOperatingSystemFamily()
extern "C" IL2CPP_METHOD_ATTR int32_t SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93 (const RuntimeMethod* method)
{
typedef int32_t (*SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93_ftn) ();
static SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SystemInfo_GetOperatingSystemFamily_mD20DAFF3A6E6649299A3BCFC845E7EB41BFA1D93_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SystemInfo::GetOperatingSystemFamily()");
int32_t retVal = _il2cpp_icall_func();
return retVal;
}
// System.Boolean UnityEngine.SystemInfo::HasRenderTextureNative(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468 (int32_t ___format0, const RuntimeMethod* method)
{
typedef bool (*SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468_ftn) (int32_t);
static SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SystemInfo_HasRenderTextureNative_mF35AF7764E483A7FA75DBC06ED64A8588509C468_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SystemInfo::HasRenderTextureNative(UnityEngine.RenderTextureFormat)");
bool retVal = _il2cpp_icall_func(___format0);
return retVal;
}
// System.Boolean UnityEngine.SystemInfo::SupportsTextureFormatNative(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210 (int32_t ___format0, const RuntimeMethod* method)
{
typedef bool (*SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210_ftn) (int32_t);
static SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SystemInfo_SupportsTextureFormatNative_mD028594492646D7AB78A4C2F51CA06F63E665210_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SystemInfo::SupportsTextureFormatNative(UnityEngine.TextureFormat)");
bool retVal = _il2cpp_icall_func(___format0);
return retVal;
}
// System.Boolean UnityEngine.SystemInfo::IsFormatSupported(UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.FormatUsage)
extern "C" IL2CPP_METHOD_ATTR bool SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6 (int32_t ___format0, int32_t ___usage1, const RuntimeMethod* method)
{
typedef bool (*SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6_ftn) (int32_t, int32_t);
static SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SystemInfo::IsFormatSupported(UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.FormatUsage)");
bool retVal = _il2cpp_icall_func(___format0, ___usage1);
return retVal;
}
#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 UnityEngine.TextAreaAttribute::.ctor(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TextAreaAttribute__ctor_m6134ACE5D232B16A9433AA1F47081FAA9BAC1BA1 (TextAreaAttribute_t85045C366B3A3B41CE21984CDDE589E1A786E394 * __this, int32_t ___minLines0, int32_t ___maxLines1, const RuntimeMethod* method)
{
{
PropertyAttribute__ctor_m7F5C473F39D5601486C1127DA0D52F2DC293FC35(__this, /*hidden argument*/NULL);
int32_t L_0 = ___minLines0;
__this->set_minLines_0(L_0);
int32_t L_1 = ___maxLines1;
__this->set_maxLines_1(L_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 UnityEngine.Texture::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var);
Object__ctor_m091EBAEBC7919B0391ABDAFB7389ADC12206525B(__this, /*hidden argument*/NULL);
return;
}
}
// System.Int32 UnityEngine.Texture::GetDataWidth()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D_ftn) (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 *);
static Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::GetDataWidth()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Int32 UnityEngine.Texture::GetDataHeight()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E_ftn) (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 *);
static Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::GetDataHeight()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Int32 UnityEngine.Texture::get_width()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_get_width_mEF9D208720B8FB3E7A29F3A5A5C381B56E657ED2 (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = Texture_GetDataWidth_m862817D573E6B1BAE31E9412DB1F1C9B3A15B21D(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.Texture::set_width(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Texture_set_width_m9E42C8B8ED703644B85F54D8DCFB51BF954F56DA (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_set_width_m9E42C8B8ED703644B85F54D8DCFB51BF954F56DA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 * L_0 = (NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 *)il2cpp_codegen_object_new(NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_il2cpp_TypeInfo_var);
NotImplementedException__ctor_m8BEA657E260FC05F0C6D2C43A6E9BC08040F59C4(L_0, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_0, NULL, Texture_set_width_m9E42C8B8ED703644B85F54D8DCFB51BF954F56DA_RuntimeMethod_var);
}
}
// System.Int32 UnityEngine.Texture::get_height()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_get_height_m3A004CD1FA238B3D0B32FE7030634B9038EC4AA0 (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = Texture_GetDataHeight_m3E5739F25B967D6AF703541F236F0B1F3F8F939E(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.Texture::set_height(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Texture_set_height_m601E103C6E803353701370B161F992A5B0C89AB6 (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_set_height_m601E103C6E803353701370B161F992A5B0C89AB6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 * L_0 = (NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4 *)il2cpp_codegen_object_new(NotImplementedException_t8AD6EBE5FEDB0AEBECEE0961CF73C35B372EFFA4_il2cpp_TypeInfo_var);
NotImplementedException__ctor_m8BEA657E260FC05F0C6D2C43A6E9BC08040F59C4(L_0, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_0, NULL, Texture_set_height_m601E103C6E803353701370B161F992A5B0C89AB6_RuntimeMethod_var);
}
}
// System.Boolean UnityEngine.Texture::get_isReadable()
extern "C" IL2CPP_METHOD_ATTR bool Texture_get_isReadable_mFB3D8E8799AC5EFD9E1AB68386DA16F3607631BD (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
typedef bool (*Texture_get_isReadable_mFB3D8E8799AC5EFD9E1AB68386DA16F3607631BD_ftn) (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 *);
static Texture_get_isReadable_mFB3D8E8799AC5EFD9E1AB68386DA16F3607631BD_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture_get_isReadable_mFB3D8E8799AC5EFD9E1AB68386DA16F3607631BD_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::get_isReadable()");
bool retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.TextureWrapMode UnityEngine.Texture::get_wrapMode()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture_get_wrapMode_mC21054C7BC6E958937B7459DAF1D17654284B07A (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
typedef int32_t (*Texture_get_wrapMode_mC21054C7BC6E958937B7459DAF1D17654284B07A_ftn) (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 *);
static Texture_get_wrapMode_mC21054C7BC6E958937B7459DAF1D17654284B07A_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture_get_wrapMode_mC21054C7BC6E958937B7459DAF1D17654284B07A_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::get_wrapMode()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Vector2 UnityEngine.Texture::get_texelSize()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Texture_get_texelSize_m89BA9E4CF5276F4FDBAAD6B497809F3E6DB1E30C (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE(__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = V_0;
return L_0;
}
}
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.RenderTextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_m12332BF76D9B5BBFFCE74D855928AEA01984DF6C (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_ValidateFormat_m12332BF76D9B5BBFFCE74D855928AEA01984DF6C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___format0;
bool L_1 = SystemInfo_SupportsRenderTextureFormat_m74D259714A97501D28951CA48298D9F0AE3B5907(L_0, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0014;
}
}
{
V_0 = (bool)1;
goto IL_0039;
}
IL_0014:
{
RuntimeObject * L_2 = Box(RenderTextureFormat_t2AB1B77FBD247648292FBBE1182F12B5FC47AF85_il2cpp_TypeInfo_var, (&___format0));
NullCheck(L_2);
String_t* L_3 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_2);
___format0 = *(int32_t*)UnBox(L_2);
String_t* L_4 = String_Format_m0ACDD8B34764E4040AED0B3EEB753567E4576BFA(_stringLiteral598EC89B304BC8A1CE5F6C6079CAFDB64A3D4A21, L_3, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogError_m97139CB2EE76D5CD8308C1AD0499A5F163FC7F51(L_4, __this, /*hidden argument*/NULL);
V_0 = (bool)0;
goto IL_0039;
}
IL_0039:
{
bool L_5 = V_0;
return L_5;
}
}
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.TextureFormat)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1 (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___format0;
bool L_1 = SystemInfo_SupportsTextureFormat_m1FCBD02367A45D11CAA6503715F3AAE24CA98B79(L_0, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0014;
}
}
{
V_0 = (bool)1;
goto IL_0069;
}
IL_0014:
{
int32_t L_2 = ___format0;
bool L_3 = GraphicsFormatUtility_IsCompressedTextureFormat_m456D7B059F25F7378E05E3346CB1670517A46C71(L_2, /*hidden argument*/NULL);
if (!L_3)
{
goto IL_0044;
}
}
{
RuntimeObject * L_4 = Box(TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE_il2cpp_TypeInfo_var, (&___format0));
NullCheck(L_4);
String_t* L_5 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_4);
___format0 = *(int32_t*)UnBox(L_4);
String_t* L_6 = String_Format_m0ACDD8B34764E4040AED0B3EEB753567E4576BFA(_stringLiteral73EC8A0405E27836713EE88E3E326D2AA92FE921, L_5, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogWarning_mD417697331190AC1D21C463F412C475103A7256E(L_6, __this, /*hidden argument*/NULL);
V_0 = (bool)1;
goto IL_0069;
}
IL_0044:
{
RuntimeObject * L_7 = Box(TextureFormat_t7C6B5101554065C47682E592D1E26079D4EC2DCE_il2cpp_TypeInfo_var, (&___format0));
NullCheck(L_7);
String_t* L_8 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_7);
___format0 = *(int32_t*)UnBox(L_7);
String_t* L_9 = String_Format_m0ACDD8B34764E4040AED0B3EEB753567E4576BFA(_stringLiteral34311263DC7D181C312B472B1C780134C973B8A8, L_8, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogError_m97139CB2EE76D5CD8308C1AD0499A5F163FC7F51(L_9, __this, /*hidden argument*/NULL);
V_0 = (bool)0;
goto IL_0069;
}
IL_0069:
{
bool L_10 = V_0;
return L_10;
}
}
// System.Boolean UnityEngine.Texture::ValidateFormat(UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.FormatUsage)
extern "C" IL2CPP_METHOD_ATTR bool Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, int32_t ___format0, int32_t ___usage1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___format0;
int32_t L_1 = ___usage1;
bool L_2 = SystemInfo_IsFormatSupported_m6941B7C4566DEE1EFFD7F6DCB7BFA701ECF9C1D6(L_0, L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_0015;
}
}
{
V_0 = (bool)1;
goto IL_0047;
}
IL_0015:
{
RuntimeObject * L_3 = Box(GraphicsFormat_t512915BBE299AE115F4DB0B96DF1DA2E72ECA181_il2cpp_TypeInfo_var, (&___format0));
NullCheck(L_3);
String_t* L_4 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_3);
___format0 = *(int32_t*)UnBox(L_3);
RuntimeObject * L_5 = Box(FormatUsage_t117AE34283B21B51894E10162A58F65FBF9E4D83_il2cpp_TypeInfo_var, (&___usage1));
NullCheck(L_5);
String_t* L_6 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_5);
___usage1 = *(int32_t*)UnBox(L_5);
String_t* L_7 = String_Format_m19325298DBC61AAC016C16F7B3CF97A8A3DEA34A(_stringLiteral85285330616F7B0F1C1DF9EC8B22E159DB00A838, L_4, L_6, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogError_m97139CB2EE76D5CD8308C1AD0499A5F163FC7F51(L_7, __this, /*hidden argument*/NULL);
V_0 = (bool)0;
goto IL_0047;
}
IL_0047:
{
bool L_8 = V_0;
return L_8;
}
}
// UnityEngine.UnityException UnityEngine.Texture::CreateNonReadableException(UnityEngine.Texture)
extern "C" IL2CPP_METHOD_ATTR UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * Texture_CreateNonReadableException_m66E69BE853119A5A9FE2C27EA788B62BF7CFE34D (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * ___t0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture_CreateNonReadableException_m66E69BE853119A5A9FE2C27EA788B62BF7CFE34D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * V_0 = NULL;
{
Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * L_0 = ___t0;
NullCheck(L_0);
String_t* L_1 = Object_get_name_mA2D400141CB3C991C87A2556429781DE961A83CE(L_0, /*hidden argument*/NULL);
String_t* L_2 = String_Format_m0ACDD8B34764E4040AED0B3EEB753567E4576BFA(_stringLiteral800CC47D20543F12B3DD331F9BB4BF01119DBDAB, L_1, /*hidden argument*/NULL);
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_3 = (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 *)il2cpp_codegen_object_new(UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28_il2cpp_TypeInfo_var);
UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9(L_3, L_2, /*hidden argument*/NULL);
V_0 = L_3;
goto IL_001c;
}
IL_001c:
{
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_4 = V_0;
return L_4;
}
}
// System.Void UnityEngine.Texture::get_texelSize_Injected(UnityEngine.Vector2U26)
extern "C" IL2CPP_METHOD_ATTR void Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * ___ret0, const RuntimeMethod* method)
{
typedef void (*Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE_ftn) (Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 *, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *);
static Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture_get_texelSize_Injected_m812BEA61C30039FF16BE6A2E174C81DCB40000DE_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::get_texelSize_Injected(UnityEngine.Vector2&)");
_il2cpp_icall_func(__this, ___ret0);
}
#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 UnityEngine.Texture2D::.ctor(System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Texture2D__ctor_m185B87D9FE6E39A890C667FCAA8A15A0D93AFCA6 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___width0, int32_t ___height1, int32_t ___textureFormat2, bool ___mipChain3, bool ___linear4, intptr_t ___nativeTex5, const RuntimeMethod* method)
{
int32_t V_0 = 0;
int32_t V_1 = 0;
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___textureFormat2;
bool L_1 = Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1(__this, L_0, /*hidden argument*/NULL);
if (L_1)
{
goto IL_0018;
}
}
{
goto IL_004d;
}
IL_0018:
{
int32_t L_2 = ___textureFormat2;
bool L_3 = ___linear4;
int32_t L_4 = GraphicsFormatUtility_GetGraphicsFormat_mBA4E395B8A78B67B0969356DE19F6F1E73D284E0(L_2, (bool)((((int32_t)L_3) == ((int32_t)0))? 1 : 0), /*hidden argument*/NULL);
V_0 = L_4;
V_1 = 0;
bool L_5 = ___mipChain3;
if (!L_5)
{
goto IL_0031;
}
}
{
int32_t L_6 = V_1;
V_1 = ((int32_t)((int32_t)L_6|(int32_t)1));
}
IL_0031:
{
int32_t L_7 = ___textureFormat2;
bool L_8 = GraphicsFormatUtility_IsCrunchFormat_m97E8A6551AAEE6B1E4E92F92167FC97CC7D73DB1(L_7, /*hidden argument*/NULL);
if (!L_8)
{
goto IL_0041;
}
}
{
int32_t L_9 = V_1;
V_1 = ((int32_t)((int32_t)L_9|(int32_t)((int32_t)64)));
}
IL_0041:
{
int32_t L_10 = ___width0;
int32_t L_11 = ___height1;
int32_t L_12 = V_0;
int32_t L_13 = V_1;
intptr_t L_14 = ___nativeTex5;
Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10(__this, L_10, L_11, L_12, L_13, (intptr_t)L_14, /*hidden argument*/NULL);
}
IL_004d:
{
return;
}
}
// System.Void UnityEngine.Texture2D::.ctor(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Texture2D__ctor_m0C86A87871AA8075791EF98499D34DA95ACB0E35 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___width0, int32_t ___height1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture2D__ctor_m0C86A87871AA8075791EF98499D34DA95ACB0E35_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = ___width0;
int32_t L_1 = ___height1;
Texture2D__ctor_m185B87D9FE6E39A890C667FCAA8A15A0D93AFCA6(__this, L_0, L_1, 4, (bool)1, (bool)0, (intptr_t)(0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.TextureFormat UnityEngine.Texture2D::get_format()
extern "C" IL2CPP_METHOD_ATTR int32_t Texture2D_get_format_mF0EE5CEB9F84280D4E722B71546BBBA577101E9F (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, const RuntimeMethod* method)
{
typedef int32_t (*Texture2D_get_format_mF0EE5CEB9F84280D4E722B71546BBBA577101E9F_ftn) (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C *);
static Texture2D_get_format_mF0EE5CEB9F84280D4E722B71546BBBA577101E9F_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_get_format_mF0EE5CEB9F84280D4E722B71546BBBA577101E9F_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::get_format()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Texture2D UnityEngine.Texture2D::get_whiteTexture()
extern "C" IL2CPP_METHOD_ATTR Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * Texture2D_get_whiteTexture_mF447523DE8957109355641ECE0DD3D3C8D2F6C41 (const RuntimeMethod* method)
{
typedef Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * (*Texture2D_get_whiteTexture_mF447523DE8957109355641ECE0DD3D3C8D2F6C41_ftn) ();
static Texture2D_get_whiteTexture_mF447523DE8957109355641ECE0DD3D3C8D2F6C41_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_get_whiteTexture_mF447523DE8957109355641ECE0DD3D3C8D2F6C41_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::get_whiteTexture()");
Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * retVal = _il2cpp_icall_func();
return retVal;
}
// System.Boolean UnityEngine.Texture2D::Internal_CreateImpl(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR bool Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___format3, int32_t ___flags4, intptr_t ___nativeTex5, const RuntimeMethod* method)
{
typedef bool (*Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548_ftn) (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C *, int32_t, int32_t, int32_t, int32_t, intptr_t);
static Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::Internal_CreateImpl(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags,System.IntPtr)");
bool retVal = _il2cpp_icall_func(___mono0, ___w1, ___h2, ___format3, ___flags4, ___nativeTex5);
return retVal;
}
// System.Void UnityEngine.Texture2D::Internal_Create(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___format3, int32_t ___flags4, intptr_t ___nativeTex5, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * L_0 = ___mono0;
int32_t L_1 = ___w1;
int32_t L_2 = ___h2;
int32_t L_3 = ___format3;
int32_t L_4 = ___flags4;
intptr_t L_5 = ___nativeTex5;
bool L_6 = Texture2D_Internal_CreateImpl_mD3BC6187168CEDAFAC59DFA2EA1DCE102071C548(L_0, L_1, L_2, L_3, L_4, (intptr_t)L_5, /*hidden argument*/NULL);
if (L_6)
{
goto IL_001e;
}
}
{
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_7 = (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 *)il2cpp_codegen_object_new(UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28_il2cpp_TypeInfo_var);
UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9(L_7, _stringLiteral5E1FAEFEBCA2C780744CF670E527AE37E3B7757E, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, NULL, Texture2D_Internal_Create_m8CD51387F8BEF8ACCBC2BACA532EE7C6DC7F0E10_RuntimeMethod_var);
}
IL_001e:
{
return;
}
}
// System.Boolean UnityEngine.Texture2D::get_isReadable()
extern "C" IL2CPP_METHOD_ATTR bool Texture2D_get_isReadable_mCF446A169E1D8BF244235F4E9B35DDC4F5E696AD (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, const RuntimeMethod* method)
{
typedef bool (*Texture2D_get_isReadable_mCF446A169E1D8BF244235F4E9B35DDC4F5E696AD_ftn) (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C *);
static Texture2D_get_isReadable_mCF446A169E1D8BF244235F4E9B35DDC4F5E696AD_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_get_isReadable_mCF446A169E1D8BF244235F4E9B35DDC4F5E696AD_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::get_isReadable()");
bool retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Color UnityEngine.Texture2D::GetPixelBilinearImpl(System.Int32,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 Texture2D_GetPixelBilinearImpl_m950AB40E4151F10B6AA6C5759903BA07348114FB (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___image0, float ___x1, float ___y2, const RuntimeMethod* method)
{
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___image0;
float L_1 = ___x1;
float L_2 = ___y2;
Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85(__this, L_0, L_1, L_2, (Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *)(&V_0), /*hidden argument*/NULL);
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 L_3 = V_0;
return L_3;
}
}
// System.Byte[] UnityEngine.Texture2D::GetRawTextureData()
extern "C" IL2CPP_METHOD_ATTR ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* Texture2D_GetRawTextureData_m387AAB1686E27DA77F4065A2111DF18934AFB364 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, const RuntimeMethod* method)
{
typedef ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* (*Texture2D_GetRawTextureData_m387AAB1686E27DA77F4065A2111DF18934AFB364_ftn) (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C *);
static Texture2D_GetRawTextureData_m387AAB1686E27DA77F4065A2111DF18934AFB364_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_GetRawTextureData_m387AAB1686E27DA77F4065A2111DF18934AFB364_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::GetRawTextureData()");
ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* retVal = _il2cpp_icall_func(__this);
return retVal;
}
// UnityEngine.Color UnityEngine.Texture2D::GetPixelBilinear(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 Texture2D_GetPixelBilinear_m3E0E9A22A0989E99A7295BC6FE6999728F290A78 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, float ___x0, float ___y1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture2D_GetPixelBilinear_m3E0E9A22A0989E99A7295BC6FE6999728F290A78_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
bool L_0 = VirtFuncInvoker0< bool >::Invoke(8 /* System.Boolean UnityEngine.Texture::get_isReadable() */, __this);
if (L_0)
{
goto IL_0014;
}
}
{
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_1 = Texture_CreateNonReadableException_m66E69BE853119A5A9FE2C27EA788B62BF7CFE34D(__this, __this, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Texture2D_GetPixelBilinear_m3E0E9A22A0989E99A7295BC6FE6999728F290A78_RuntimeMethod_var);
}
IL_0014:
{
float L_2 = ___x0;
float L_3 = ___y1;
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 L_4 = Texture2D_GetPixelBilinearImpl_m950AB40E4151F10B6AA6C5759903BA07348114FB(__this, 0, L_2, L_3, /*hidden argument*/NULL);
V_0 = L_4;
goto IL_0023;
}
IL_0023:
{
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 L_5 = V_0;
return L_5;
}
}
// System.Void UnityEngine.Texture2D::GetPixelBilinearImpl_Injected(System.Int32,System.Single,System.Single,UnityEngine.ColorU26)
extern "C" IL2CPP_METHOD_ATTR void Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85 (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C * __this, int32_t ___image0, float ___x1, float ___y2, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * ___ret3, const RuntimeMethod* method)
{
typedef void (*Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85_ftn) (Texture2D_tBBF96AC337723E2EF156DF17E09D4379FD05DE1C *, int32_t, float, float, Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 *);
static Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2D_GetPixelBilinearImpl_Injected_m120BD9810D176C39E874FFDAF53AD3AC3B6ADF85_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::GetPixelBilinearImpl_Injected(System.Int32,System.Single,System.Single,UnityEngine.Color&)");
_il2cpp_icall_func(__this, ___image0, ___x1, ___y2, ___ret3);
}
#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 UnityEngine.Texture2DArray::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray__ctor_mD92521FF6DA05FF47471B741DDC7E4D5B3C3F4E2 (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, int32_t ___flags4, const RuntimeMethod* method)
{
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___format3;
bool L_1 = Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED(__this, L_0, 0, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0022;
}
}
{
int32_t L_2 = ___width0;
int32_t L_3 = ___height1;
int32_t L_4 = ___depth2;
int32_t L_5 = ___format3;
int32_t L_6 = ___flags4;
Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D(__this, L_2, L_3, L_4, L_5, L_6, /*hidden argument*/NULL);
}
IL_0022:
{
return;
}
}
// System.Void UnityEngine.Texture2DArray::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray__ctor_mEDE73B65A89EACA4B487FFBA92B155ED5B09970F (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___textureFormat3, bool ___mipChain4, bool ___linear5, const RuntimeMethod* method)
{
int32_t V_0 = 0;
int32_t V_1 = 0;
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___textureFormat3;
bool L_1 = Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1(__this, L_0, /*hidden argument*/NULL);
if (L_1)
{
goto IL_0019;
}
}
{
goto IL_004f;
}
IL_0019:
{
int32_t L_2 = ___textureFormat3;
bool L_3 = ___linear5;
int32_t L_4 = GraphicsFormatUtility_GetGraphicsFormat_mBA4E395B8A78B67B0969356DE19F6F1E73D284E0(L_2, (bool)((((int32_t)L_3) == ((int32_t)0))? 1 : 0), /*hidden argument*/NULL);
V_0 = L_4;
V_1 = 0;
bool L_5 = ___mipChain4;
if (!L_5)
{
goto IL_0033;
}
}
{
int32_t L_6 = V_1;
V_1 = ((int32_t)((int32_t)L_6|(int32_t)1));
}
IL_0033:
{
int32_t L_7 = ___textureFormat3;
bool L_8 = GraphicsFormatUtility_IsCrunchFormat_m97E8A6551AAEE6B1E4E92F92167FC97CC7D73DB1(L_7, /*hidden argument*/NULL);
if (!L_8)
{
goto IL_0044;
}
}
{
int32_t L_9 = V_1;
V_1 = ((int32_t)((int32_t)L_9|(int32_t)((int32_t)64)));
}
IL_0044:
{
int32_t L_10 = ___width0;
int32_t L_11 = ___height1;
int32_t L_12 = ___depth2;
int32_t L_13 = V_0;
int32_t L_14 = V_1;
Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D(__this, L_10, L_11, L_12, L_13, L_14, /*hidden argument*/NULL);
}
IL_004f:
{
return;
}
}
// System.Void UnityEngine.Texture2DArray::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray__ctor_mE0F6B7F60470C479258E1CC295456BCA103E66BF (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___textureFormat3, bool ___mipChain4, const RuntimeMethod* method)
{
{
int32_t L_0 = ___width0;
int32_t L_1 = ___height1;
int32_t L_2 = ___depth2;
int32_t L_3 = ___textureFormat3;
bool L_4 = ___mipChain4;
Texture2DArray__ctor_mEDE73B65A89EACA4B487FFBA92B155ED5B09970F(__this, L_0, L_1, L_2, L_3, L_4, (bool)0, /*hidden argument*/NULL);
return;
}
}
// System.Boolean UnityEngine.Texture2DArray::get_isReadable()
extern "C" IL2CPP_METHOD_ATTR bool Texture2DArray_get_isReadable_mB2E454ED94BB334E77B42E6CD9DABC0B1D679C1A (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * __this, const RuntimeMethod* method)
{
typedef bool (*Texture2DArray_get_isReadable_mB2E454ED94BB334E77B42E6CD9DABC0B1D679C1A_ftn) (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 *);
static Texture2DArray_get_isReadable_mB2E454ED94BB334E77B42E6CD9DABC0B1D679C1A_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2DArray_get_isReadable_mB2E454ED94BB334E77B42E6CD9DABC0B1D679C1A_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2DArray::get_isReadable()");
bool retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Boolean UnityEngine.Texture2DArray::Internal_CreateImpl(UnityEngine.Texture2DArray,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR bool Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method)
{
typedef bool (*Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B_ftn) (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 *, int32_t, int32_t, int32_t, int32_t, int32_t);
static Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2DArray::Internal_CreateImpl(UnityEngine.Texture2DArray,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)");
bool retVal = _il2cpp_icall_func(___mono0, ___w1, ___h2, ___d3, ___format4, ___flags5);
return retVal;
}
// System.Void UnityEngine.Texture2DArray::Internal_Create(UnityEngine.Texture2DArray,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D (Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Texture2DArray_t78E2A31569610CAD1EA2115AD121B771C4E454B8 * L_0 = ___mono0;
int32_t L_1 = ___w1;
int32_t L_2 = ___h2;
int32_t L_3 = ___d3;
int32_t L_4 = ___format4;
int32_t L_5 = ___flags5;
bool L_6 = Texture2DArray_Internal_CreateImpl_m11961106A999012827B209B1A32CEDA633F59E8B(L_0, L_1, L_2, L_3, L_4, L_5, /*hidden argument*/NULL);
if (L_6)
{
goto IL_001e;
}
}
{
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_7 = (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 *)il2cpp_codegen_object_new(UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28_il2cpp_TypeInfo_var);
UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9(L_7, _stringLiteral30FA981B61585D6DE94376CB539A04A8A53C8580, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, NULL, Texture2DArray_Internal_Create_m01110342339A90ABB2DB4ED1E79C84CBE1DD794D_RuntimeMethod_var);
}
IL_001e:
{
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 UnityEngine.Texture3D::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture3D__ctor_m080D4201C72C73ECB718F44491858309CDCCBF40 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___format3, int32_t ___flags4, const RuntimeMethod* method)
{
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___format3;
bool L_1 = Texture_ValidateFormat_mA62E75B693BFABECB7CB732C165139B8492DE0ED(__this, L_0, 0, /*hidden argument*/NULL);
if (!L_1)
{
goto IL_0022;
}
}
{
int32_t L_2 = ___width0;
int32_t L_3 = ___height1;
int32_t L_4 = ___depth2;
int32_t L_5 = ___format3;
int32_t L_6 = ___flags4;
Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212(__this, L_2, L_3, L_4, L_5, L_6, /*hidden argument*/NULL);
}
IL_0022:
{
return;
}
}
// System.Void UnityEngine.Texture3D::.ctor(System.Int32,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Texture3D__ctor_m7086160504490544C327FF1C7823830B44441466 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * __this, int32_t ___width0, int32_t ___height1, int32_t ___depth2, int32_t ___textureFormat3, bool ___mipChain4, const RuntimeMethod* method)
{
int32_t V_0 = 0;
int32_t V_1 = 0;
{
Texture__ctor_m19850F4654F76731DD82B99217AD5A2EB6974C6C(__this, /*hidden argument*/NULL);
int32_t L_0 = ___textureFormat3;
bool L_1 = Texture_ValidateFormat_m23ED49E24864EE9D1C4EF775002A91EE049561B1(__this, L_0, /*hidden argument*/NULL);
if (L_1)
{
goto IL_0019;
}
}
{
goto IL_004b;
}
IL_0019:
{
int32_t L_2 = ___textureFormat3;
int32_t L_3 = GraphicsFormatUtility_GetGraphicsFormat_mBA4E395B8A78B67B0969356DE19F6F1E73D284E0(L_2, (bool)0, /*hidden argument*/NULL);
V_0 = L_3;
V_1 = 0;
bool L_4 = ___mipChain4;
if (!L_4)
{
goto IL_002f;
}
}
{
int32_t L_5 = V_1;
V_1 = ((int32_t)((int32_t)L_5|(int32_t)1));
}
IL_002f:
{
int32_t L_6 = ___textureFormat3;
bool L_7 = GraphicsFormatUtility_IsCrunchFormat_m97E8A6551AAEE6B1E4E92F92167FC97CC7D73DB1(L_6, /*hidden argument*/NULL);
if (!L_7)
{
goto IL_0040;
}
}
{
int32_t L_8 = V_1;
V_1 = ((int32_t)((int32_t)L_8|(int32_t)((int32_t)64)));
}
IL_0040:
{
int32_t L_9 = ___width0;
int32_t L_10 = ___height1;
int32_t L_11 = ___depth2;
int32_t L_12 = V_0;
int32_t L_13 = V_1;
Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212(__this, L_9, L_10, L_11, L_12, L_13, /*hidden argument*/NULL);
}
IL_004b:
{
return;
}
}
// System.Boolean UnityEngine.Texture3D::get_isReadable()
extern "C" IL2CPP_METHOD_ATTR bool Texture3D_get_isReadable_m2793D34A645AA2A88B903D7C0CBC05BC180A489F (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * __this, const RuntimeMethod* method)
{
typedef bool (*Texture3D_get_isReadable_m2793D34A645AA2A88B903D7C0CBC05BC180A489F_ftn) (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 *);
static Texture3D_get_isReadable_m2793D34A645AA2A88B903D7C0CBC05BC180A489F_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture3D_get_isReadable_m2793D34A645AA2A88B903D7C0CBC05BC180A489F_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture3D::get_isReadable()");
bool retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Boolean UnityEngine.Texture3D::Internal_CreateImpl(UnityEngine.Texture3D,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR bool Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method)
{
typedef bool (*Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206_ftn) (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 *, int32_t, int32_t, int32_t, int32_t, int32_t);
static Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture3D::Internal_CreateImpl(UnityEngine.Texture3D,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)");
bool retVal = _il2cpp_icall_func(___mono0, ___w1, ___h2, ___d3, ___format4, ___flags5);
return retVal;
}
// System.Void UnityEngine.Texture3D::Internal_Create(UnityEngine.Texture3D,System.Int32,System.Int32,System.Int32,UnityEngine.Experimental.Rendering.GraphicsFormat,UnityEngine.Experimental.Rendering.TextureCreationFlags)
extern "C" IL2CPP_METHOD_ATTR void Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212 (Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * ___mono0, int32_t ___w1, int32_t ___h2, int32_t ___d3, int32_t ___format4, int32_t ___flags5, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Texture3D_t041D3C554E80910E92D1EAAA85E0F70655FD66B4 * L_0 = ___mono0;
int32_t L_1 = ___w1;
int32_t L_2 = ___h2;
int32_t L_3 = ___d3;
int32_t L_4 = ___format4;
int32_t L_5 = ___flags5;
bool L_6 = Texture3D_Internal_CreateImpl_mFEE8F9464580C55553DFB6F051FE793DD040B206(L_0, L_1, L_2, L_3, L_4, L_5, /*hidden argument*/NULL);
if (L_6)
{
goto IL_001e;
}
}
{
UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * L_7 = (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 *)il2cpp_codegen_object_new(UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28_il2cpp_TypeInfo_var);
UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9(L_7, _stringLiteral5E1FAEFEBCA2C780744CF670E527AE37E3B7757E, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, NULL, Texture3D_Internal_Create_mC9DE34B29A25742A7443EF94E1233587D2311212_RuntimeMethod_var);
}
IL_001e:
{
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
// System.Single UnityEngine.Time::get_deltaTime()
extern "C" IL2CPP_METHOD_ATTR float Time_get_deltaTime_m16F98FC9BA931581236008C288E3B25CBCB7C81E (const RuntimeMethod* method)
{
typedef float (*Time_get_deltaTime_m16F98FC9BA931581236008C288E3B25CBCB7C81E_ftn) ();
static Time_get_deltaTime_m16F98FC9BA931581236008C288E3B25CBCB7C81E_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Time_get_deltaTime_m16F98FC9BA931581236008C288E3B25CBCB7C81E_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_deltaTime()");
float retVal = _il2cpp_icall_func();
return retVal;
}
// System.Single UnityEngine.Time::get_unscaledTime()
extern "C" IL2CPP_METHOD_ATTR float Time_get_unscaledTime_m57F78B855097C5BA632CF9BE60667A9DEBCAA472 (const RuntimeMethod* method)
{
typedef float (*Time_get_unscaledTime_m57F78B855097C5BA632CF9BE60667A9DEBCAA472_ftn) ();
static Time_get_unscaledTime_m57F78B855097C5BA632CF9BE60667A9DEBCAA472_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Time_get_unscaledTime_m57F78B855097C5BA632CF9BE60667A9DEBCAA472_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_unscaledTime()");
float retVal = _il2cpp_icall_func();
return retVal;
}
// System.Single UnityEngine.Time::get_unscaledDeltaTime()
extern "C" IL2CPP_METHOD_ATTR float Time_get_unscaledDeltaTime_mA0AE7A144C88AE8AABB42DF17B0F3F0714BA06B2 (const RuntimeMethod* method)
{
typedef float (*Time_get_unscaledDeltaTime_mA0AE7A144C88AE8AABB42DF17B0F3F0714BA06B2_ftn) ();
static Time_get_unscaledDeltaTime_mA0AE7A144C88AE8AABB42DF17B0F3F0714BA06B2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Time_get_unscaledDeltaTime_mA0AE7A144C88AE8AABB42DF17B0F3F0714BA06B2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_unscaledDeltaTime()");
float retVal = _il2cpp_icall_func();
return retVal;
}
// System.Single UnityEngine.Time::get_realtimeSinceStartup()
extern "C" IL2CPP_METHOD_ATTR float Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03 (const RuntimeMethod* method)
{
typedef float (*Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03_ftn) ();
static Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_realtimeSinceStartup()");
float retVal = _il2cpp_icall_func();
return retVal;
}
#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 UnityEngine.TooltipAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void TooltipAttribute__ctor_m13242D6EEE484B1CCA7B3A8FA720C5BCC44AF5DF (TooltipAttribute_t92811DE0164DF2D722334584EBEEE3EF15AD5E6C * __this, String_t* ___tooltip0, const RuntimeMethod* method)
{
{
PropertyAttribute__ctor_m7F5C473F39D5601486C1127DA0D52F2DC293FC35(__this, /*hidden argument*/NULL);
String_t* L_0 = ___tooltip0;
__this->set_tooltip_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.Int32 UnityEngine.Touch::get_fingerId()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_fingerId_mB67BC98260E26816F875277BE9BC2A5037AF62A7 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_m_FingerId_0();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t Touch_get_fingerId_mB67BC98260E26816F875277BE9BC2A5037AF62A7_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Touch_t806752C775BA713A91B6588A07CA98417CABC003 * _thisAdjusted = reinterpret_cast<Touch_t806752C775BA713A91B6588A07CA98417CABC003 *>(__this + 1);
return Touch_get_fingerId_mB67BC98260E26816F875277BE9BC2A5037AF62A7(_thisAdjusted, method);
}
// UnityEngine.Vector2 UnityEngine.Touch::get_position()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Touch_get_position_mC0913727A83103C5E2B56A5D76AB8F911A79D1E9 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = __this->get_m_Position_1();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = V_0;
return L_1;
}
}
extern "C" Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Touch_get_position_mC0913727A83103C5E2B56A5D76AB8F911A79D1E9_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Touch_t806752C775BA713A91B6588A07CA98417CABC003 * _thisAdjusted = reinterpret_cast<Touch_t806752C775BA713A91B6588A07CA98417CABC003 *>(__this + 1);
return Touch_get_position_mC0913727A83103C5E2B56A5D76AB8F911A79D1E9(_thisAdjusted, method);
}
// UnityEngine.TouchPhase UnityEngine.Touch::get_phase()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_phase_m667014ED67F37A6EB459FB904D2041E270995419 (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_m_Phase_6();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t Touch_get_phase_m667014ED67F37A6EB459FB904D2041E270995419_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Touch_t806752C775BA713A91B6588A07CA98417CABC003 * _thisAdjusted = reinterpret_cast<Touch_t806752C775BA713A91B6588A07CA98417CABC003 *>(__this + 1);
return Touch_get_phase_m667014ED67F37A6EB459FB904D2041E270995419(_thisAdjusted, method);
}
// UnityEngine.TouchType UnityEngine.Touch::get_type()
extern "C" IL2CPP_METHOD_ATTR int32_t Touch_get_type_m24677B3E265C31B31BF4C55CF874272D28EB0AEC (Touch_t806752C775BA713A91B6588A07CA98417CABC003 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
int32_t L_0 = __this->get_m_Type_7();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
int32_t L_1 = V_0;
return L_1;
}
}
extern "C" int32_t Touch_get_type_m24677B3E265C31B31BF4C55CF874272D28EB0AEC_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Touch_t806752C775BA713A91B6588A07CA98417CABC003 * _thisAdjusted = reinterpret_cast<Touch_t806752C775BA713A91B6588A07CA98417CABC003 *>(__this + 1);
return Touch_get_type_m24677B3E265C31B31BF4C55CF874272D28EB0AEC(_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
// System.Void UnityEngine.TouchScreenKeyboard::.ctor(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard__ctor_mDF71D45DC0F867825BEB1CDF728927FBB0E07F86 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, int32_t ___characterLimit7, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TouchScreenKeyboard__ctor_mDF71D45DC0F867825BEB1CDF728927FBB0E07F86_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL);
il2cpp_codegen_initobj((&V_0), sizeof(TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 ));
int32_t L_0 = ___keyboardType1;
int32_t L_1 = L_0;
RuntimeObject * L_2 = Box(TouchScreenKeyboardType_tDD21D45735F3021BF4C6C7C1A660ABF03EBCE602_il2cpp_TypeInfo_var, &L_1);
IL2CPP_RUNTIME_CLASS_INIT(Convert_t1C7A851BFB2F0782FD7F72F6AA1DCBB7B53A9C7E_il2cpp_TypeInfo_var);
uint32_t L_3 = Convert_ToUInt32_m5CD74B1562CFEE536D3E9A9A89CEC1CB38CED427(L_2, /*hidden argument*/NULL);
(&V_0)->set_keyboardType_0(L_3);
bool L_4 = ___autocorrection2;
uint32_t L_5 = Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED(L_4, /*hidden argument*/NULL);
(&V_0)->set_autocorrection_1(L_5);
bool L_6 = ___multiline3;
uint32_t L_7 = Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED(L_6, /*hidden argument*/NULL);
(&V_0)->set_multiline_2(L_7);
bool L_8 = ___secure4;
uint32_t L_9 = Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED(L_8, /*hidden argument*/NULL);
(&V_0)->set_secure_3(L_9);
bool L_10 = ___alert5;
uint32_t L_11 = Convert_ToUInt32_m0A1093A798B8004A58C7905A23886132BDC347ED(L_10, /*hidden argument*/NULL);
(&V_0)->set_alert_4(L_11);
int32_t L_12 = ___characterLimit7;
(&V_0)->set_characterLimit_5(L_12);
String_t* L_13 = ___text0;
String_t* L_14 = ___textPlaceholder6;
intptr_t L_15 = TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973((TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 *)(&V_0), L_13, L_14, /*hidden argument*/NULL);
__this->set_m_Ptr_0((intptr_t)L_15);
return;
}
}
// System.Void UnityEngine.TouchScreenKeyboard::Internal_Destroy(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0 (intptr_t ___ptr0, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0_ftn) (intptr_t);
static TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::Internal_Destroy(System.IntPtr)");
_il2cpp_icall_func(___ptr0);
}
// System.Void UnityEngine.TouchScreenKeyboard::Destroy()
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_Destroy_m916AE9DA740DBD435A5EDD93C6BC55CCEC8310C3 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TouchScreenKeyboard_Destroy_m916AE9DA740DBD435A5EDD93C6BC55CCEC8310C3_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
intptr_t L_0 = __this->get_m_Ptr_0();
bool L_1 = IntPtr_op_Inequality_mB4886A806009EA825EFCC60CD2A7F6EB8E273A61((intptr_t)L_0, (intptr_t)(0), /*hidden argument*/NULL);
if (!L_1)
{
goto IL_002e;
}
}
{
intptr_t L_2 = __this->get_m_Ptr_0();
TouchScreenKeyboard_Internal_Destroy_m6CD4E2343AB4FE54BC23DCFE62A50180CB3634E0((intptr_t)L_2, /*hidden argument*/NULL);
__this->set_m_Ptr_0((intptr_t)(0));
}
IL_002e:
{
IL2CPP_RUNTIME_CLASS_INIT(GC_tC1D7BD74E8F44ECCEF5CD2B5D84BFF9AAE02D01D_il2cpp_TypeInfo_var);
GC_SuppressFinalize_m037319A9B95A5BA437E806DE592802225EE5B425(__this, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.TouchScreenKeyboard::Finalize()
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_Finalize_m684570CC561058F48B51F7E21A144299FBCE4C76 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
}
IL_0001:
try
{ // begin try (depth: 1)
TouchScreenKeyboard_Destroy_m916AE9DA740DBD435A5EDD93C6BC55CCEC8310C3(__this, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x13, FINALLY_000c);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_000c;
}
FINALLY_000c:
{ // begin finally (depth: 1)
Object_Finalize_m4015B7D3A44DE125C5FE34D7276CD4697C06F380(__this, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x13);
IL2CPP_END_FINALLY(12)
} // end finally (depth: 1)
IL2CPP_CLEANUP(12)
{
IL2CPP_JUMP_TBL(0x13, IL_0013)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0013:
{
return;
}
}
// System.IntPtr UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArgumentsU26,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR intptr_t TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973 (TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 * ___arguments0, String_t* ___text1, String_t* ___textPlaceholder2, const RuntimeMethod* method)
{
typedef intptr_t (*TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973_ftn) (TouchScreenKeyboard_InternalConstructorHelperArguments_t89A8B532E6BEA8494D3219AC6A5673FC3AF162B2 *, String_t*, String_t*);
static TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_mD608B3B2A2159D17A8DF7961FA4EB1694A416973_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments&,System.String,System.String)");
intptr_t retVal = _il2cpp_icall_func(___arguments0, ___text1, ___textPlaceholder2);
return retVal;
}
// System.Boolean UnityEngine.TouchScreenKeyboard::get_isSupported()
extern "C" IL2CPP_METHOD_ATTR bool TouchScreenKeyboard_get_isSupported_m9163BAF0764DCDD9CB87E75A296D820D629D31CA (const RuntimeMethod* method)
{
int32_t V_0 = 0;
bool V_1 = false;
{
int32_t L_0 = Application_get_platform_m6AFFFF3B077F4D5CA1F71CF14ABA86A83FC71672(/*hidden argument*/NULL);
V_0 = L_0;
int32_t L_1 = V_0;
switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_1, (int32_t)((int32_t)18))))
{
case 0:
{
goto IL_0050;
}
case 1:
{
goto IL_0050;
}
case 2:
{
goto IL_0050;
}
}
}
{
int32_t L_2 = V_0;
switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_2, (int32_t)8)))
{
case 0:
{
goto IL_0049;
}
case 1:
{
goto IL_0034;
}
case 2:
{
goto IL_0034;
}
case 3:
{
goto IL_0049;
}
}
}
IL_0034:
{
int32_t L_3 = V_0;
if ((((int32_t)L_3) == ((int32_t)((int32_t)31))))
{
goto IL_0049;
}
}
{
int32_t L_4 = V_0;
if ((((int32_t)L_4) == ((int32_t)((int32_t)32))))
{
goto IL_0049;
}
}
{
goto IL_0057;
}
IL_0049:
{
V_1 = (bool)1;
goto IL_005e;
}
IL_0050:
{
V_1 = (bool)0;
goto IL_005e;
}
IL_0057:
{
V_1 = (bool)0;
goto IL_005e;
}
IL_005e:
{
bool L_5 = V_1;
return L_5;
}
}
// UnityEngine.TouchScreenKeyboard UnityEngine.TouchScreenKeyboard::Open(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String,System.Int32)
extern "C" IL2CPP_METHOD_ATTR TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * TouchScreenKeyboard_Open_mF795EEBFEF7DF5E5418CF2BACA02D1C62291B93A (String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, int32_t ___characterLimit7, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TouchScreenKeyboard_Open_mF795EEBFEF7DF5E5418CF2BACA02D1C62291B93A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * V_0 = NULL;
{
String_t* L_0 = ___text0;
int32_t L_1 = ___keyboardType1;
bool L_2 = ___autocorrection2;
bool L_3 = ___multiline3;
bool L_4 = ___secure4;
bool L_5 = ___alert5;
String_t* L_6 = ___textPlaceholder6;
int32_t L_7 = ___characterLimit7;
TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * L_8 = (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *)il2cpp_codegen_object_new(TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90_il2cpp_TypeInfo_var);
TouchScreenKeyboard__ctor_mDF71D45DC0F867825BEB1CDF728927FBB0E07F86(L_8, L_0, L_1, L_2, L_3, L_4, L_5, L_6, L_7, /*hidden argument*/NULL);
V_0 = L_8;
goto IL_0018;
}
IL_0018:
{
TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * L_9 = V_0;
return L_9;
}
}
// System.String UnityEngine.TouchScreenKeyboard::get_text()
extern "C" IL2CPP_METHOD_ATTR String_t* TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
typedef String_t* (*TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *);
static TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_text()");
String_t* retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.TouchScreenKeyboard::set_text(System.String)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_set_text_mF72A794EEC3FC19A9701B61A70BCF392D53B0D38 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, String_t* ___value0, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_set_text_mF72A794EEC3FC19A9701B61A70BCF392D53B0D38_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *, String_t*);
static TouchScreenKeyboard_set_text_mF72A794EEC3FC19A9701B61A70BCF392D53B0D38_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_set_text_mF72A794EEC3FC19A9701B61A70BCF392D53B0D38_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_text(System.String)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.TouchScreenKeyboard::set_hideInput(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_set_hideInput_mA9729B01B360BF98153F40B96DDED39534B94840 (bool ___value0, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_set_hideInput_mA9729B01B360BF98153F40B96DDED39534B94840_ftn) (bool);
static TouchScreenKeyboard_set_hideInput_mA9729B01B360BF98153F40B96DDED39534B94840_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_set_hideInput_mA9729B01B360BF98153F40B96DDED39534B94840_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_hideInput(System.Boolean)");
_il2cpp_icall_func(___value0);
}
// System.Boolean UnityEngine.TouchScreenKeyboard::get_active()
extern "C" IL2CPP_METHOD_ATTR bool TouchScreenKeyboard_get_active_m35A2928E54273BF16CB19D11665989D894D5C79D (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
typedef bool (*TouchScreenKeyboard_get_active_m35A2928E54273BF16CB19D11665989D894D5C79D_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *);
static TouchScreenKeyboard_get_active_m35A2928E54273BF16CB19D11665989D894D5C79D_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_get_active_m35A2928E54273BF16CB19D11665989D894D5C79D_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_active()");
bool retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.TouchScreenKeyboard::set_active(System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_set_active_m8D5FDCFA997C5EAD7896F7EB456165498727792D (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, bool ___value0, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_set_active_m8D5FDCFA997C5EAD7896F7EB456165498727792D_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *, bool);
static TouchScreenKeyboard_set_active_m8D5FDCFA997C5EAD7896F7EB456165498727792D_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_set_active_m8D5FDCFA997C5EAD7896F7EB456165498727792D_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_active(System.Boolean)");
_il2cpp_icall_func(__this, ___value0);
}
// UnityEngine.TouchScreenKeyboard_Status UnityEngine.TouchScreenKeyboard::get_status()
extern "C" IL2CPP_METHOD_ATTR int32_t TouchScreenKeyboard_get_status_m17CF606283E9BAF02D76ADC813F63F036FAE33F2 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
typedef int32_t (*TouchScreenKeyboard_get_status_m17CF606283E9BAF02D76ADC813F63F036FAE33F2_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *);
static TouchScreenKeyboard_get_status_m17CF606283E9BAF02D76ADC813F63F036FAE33F2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_get_status_m17CF606283E9BAF02D76ADC813F63F036FAE33F2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_status()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.TouchScreenKeyboard::set_characterLimit(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_set_characterLimit_m97F392EB376881A77F5210CFA6736F0A49F5D57B (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, int32_t ___value0, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_set_characterLimit_m97F392EB376881A77F5210CFA6736F0A49F5D57B_ftn) (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 *, int32_t);
static TouchScreenKeyboard_set_characterLimit_m97F392EB376881A77F5210CFA6736F0A49F5D57B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_set_characterLimit_m97F392EB376881A77F5210CFA6736F0A49F5D57B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_characterLimit(System.Int32)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Boolean UnityEngine.TouchScreenKeyboard::get_canGetSelection()
extern "C" IL2CPP_METHOD_ATTR bool TouchScreenKeyboard_get_canGetSelection_m8EEC32EA25638ACB54F698EA72450B51BEC9A362 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
bool V_0 = false;
{
bool L_0 = __this->get_U3CcanGetSelectionU3Ek__BackingField_1();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
bool L_1 = V_0;
return L_1;
}
}
// System.Boolean UnityEngine.TouchScreenKeyboard::get_canSetSelection()
extern "C" IL2CPP_METHOD_ATTR bool TouchScreenKeyboard_get_canSetSelection_m3C9574749CA28A6677C77B8FBE6292B80DF88A10 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
bool V_0 = false;
{
bool L_0 = __this->get_U3CcanSetSelectionU3Ek__BackingField_2();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
bool L_1 = V_0;
return L_1;
}
}
// UnityEngine.RangeInt UnityEngine.TouchScreenKeyboard::get_selection()
extern "C" IL2CPP_METHOD_ATTR RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D TouchScreenKeyboard_get_selection_m9E2AB5FF388968D946B15A3ECDAE1C3C97115AAD (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, const RuntimeMethod* method)
{
RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D V_0;
memset(&V_0, 0, sizeof(V_0));
RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D V_1;
memset(&V_1, 0, sizeof(V_1));
{
int32_t* L_0 = (&V_0)->get_address_of_start_0();
int32_t* L_1 = (&V_0)->get_address_of_length_1();
TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896((int32_t*)L_0, (int32_t*)L_1, /*hidden argument*/NULL);
RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D L_2 = V_0;
V_1 = L_2;
goto IL_001b;
}
IL_001b:
{
RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D L_3 = V_1;
return L_3;
}
}
// System.Void UnityEngine.TouchScreenKeyboard::set_selection(UnityEngine.RangeInt)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_set_selection_m27C5DE6B9DBBBFE2CCA68FA80A600D94337215C7 (TouchScreenKeyboard_t2A69F85698E9780470181532D3F2BC903623FD90 * __this, RangeInt_t4480955B65C346F1B3A7A8AB74693AAB84D2988D ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TouchScreenKeyboard_set_selection_m27C5DE6B9DBBBFE2CCA68FA80A600D94337215C7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = (&___value0)->get_start_0();
if ((((int32_t)L_0) < ((int32_t)0)))
{
goto IL_003a;
}
}
{
int32_t L_1 = (&___value0)->get_length_1();
if ((((int32_t)L_1) < ((int32_t)0)))
{
goto IL_003a;
}
}
{
int32_t L_2 = (&___value0)->get_start_0();
int32_t L_3 = (&___value0)->get_length_1();
String_t* L_4 = TouchScreenKeyboard_get_text_mC025B2F295D315E1A18E7AA54B013A8072A8FEB0(__this, /*hidden argument*/NULL);
NullCheck(L_4);
int32_t L_5 = String_get_Length_mD48C8A16A5CF1914F330DCE82D9BE15C3BEDD018(L_4, /*hidden argument*/NULL);
if ((((int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)L_3))) <= ((int32_t)L_5)))
{
goto IL_004a;
}
}
IL_003a:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_6, _stringLiteral6F69EB7DC225B8813368952E1258E1420C05B811, _stringLiteralFDA309DC9DF574C8F09C4407EBD6653E0E07F781, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, NULL, TouchScreenKeyboard_set_selection_m27C5DE6B9DBBBFE2CCA68FA80A600D94337215C7_RuntimeMethod_var);
}
IL_004a:
{
int32_t L_7 = (&___value0)->get_start_0();
int32_t L_8 = (&___value0)->get_length_1();
TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF(L_7, L_8, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.TouchScreenKeyboard::GetSelection(System.Int32U26,System.Int32U26)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896 (int32_t* ___start0, int32_t* ___length1, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896_ftn) (int32_t*, int32_t*);
static TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_GetSelection_mED761F9161A43CC8E507EA27DB1BD11127C6C896_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::GetSelection(System.Int32&,System.Int32&)");
_il2cpp_icall_func(___start0, ___length1);
}
// System.Void UnityEngine.TouchScreenKeyboard::SetSelection(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF (int32_t ___start0, int32_t ___length1, const RuntimeMethod* method)
{
typedef void (*TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF_ftn) (int32_t, int32_t);
static TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (TouchScreenKeyboard_SetSelection_mB728B6A7B07AC33987FB30F7950B3D31E3BA5FBF_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::SetSelection(System.Int32,System.Int32)");
_il2cpp_icall_func(___start0, ___length1);
}
#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
#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: UnityEngine.TrackedReference
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_pinvoke(const TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107& unmarshaled, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_pinvoke& marshaled)
{
marshaled.___m_Ptr_0 = unmarshaled.get_m_Ptr_0();
}
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_pinvoke_back(const TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_pinvoke& marshaled, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107& unmarshaled)
{
intptr_t unmarshaled_m_Ptr_temp_0;
memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0));
unmarshaled_m_Ptr_temp_0 = marshaled.___m_Ptr_0;
unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.TrackedReference
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_pinvoke_cleanup(TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.TrackedReference
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_com(const TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107& unmarshaled, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_com& marshaled)
{
marshaled.___m_Ptr_0 = unmarshaled.get_m_Ptr_0();
}
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_com_back(const TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_com& marshaled, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107& unmarshaled)
{
intptr_t unmarshaled_m_Ptr_temp_0;
memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0));
unmarshaled_m_Ptr_temp_0 = marshaled.___m_Ptr_0;
unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.TrackedReference
extern "C" void TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshal_com_cleanup(TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_marshaled_com& marshaled)
{
}
// System.Boolean UnityEngine.TrackedReference::op_Equality(UnityEngine.TrackedReference,UnityEngine.TrackedReference)
extern "C" IL2CPP_METHOD_ATTR bool TrackedReference_op_Equality_m6176AA0B99576B1734E9A9D7DDA0A27ECACBAA96 (TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * ___x0, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * ___y1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TrackedReference_op_Equality_m6176AA0B99576B1734E9A9D7DDA0A27ECACBAA96_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
RuntimeObject * V_1 = NULL;
bool V_2 = false;
{
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_0 = ___x0;
V_0 = L_0;
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_1 = ___y1;
V_1 = L_1;
RuntimeObject * L_2 = V_1;
if (L_2)
{
goto IL_0018;
}
}
{
RuntimeObject * L_3 = V_0;
if (L_3)
{
goto IL_0018;
}
}
{
V_2 = (bool)1;
goto IL_0067;
}
IL_0018:
{
RuntimeObject * L_4 = V_1;
if (L_4)
{
goto IL_0034;
}
}
{
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_5 = ___x0;
NullCheck(L_5);
intptr_t L_6 = L_5->get_m_Ptr_0();
bool L_7 = IntPtr_op_Equality_mEE8D9FD2DFE312BBAA8B4ED3BF7976B3142A5934((intptr_t)L_6, (intptr_t)(0), /*hidden argument*/NULL);
V_2 = L_7;
goto IL_0067;
}
IL_0034:
{
RuntimeObject * L_8 = V_0;
if (L_8)
{
goto IL_0050;
}
}
{
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_9 = ___y1;
NullCheck(L_9);
intptr_t L_10 = L_9->get_m_Ptr_0();
bool L_11 = IntPtr_op_Equality_mEE8D9FD2DFE312BBAA8B4ED3BF7976B3142A5934((intptr_t)L_10, (intptr_t)(0), /*hidden argument*/NULL);
V_2 = L_11;
goto IL_0067;
}
IL_0050:
{
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_12 = ___x0;
NullCheck(L_12);
intptr_t L_13 = L_12->get_m_Ptr_0();
TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * L_14 = ___y1;
NullCheck(L_14);
intptr_t L_15 = L_14->get_m_Ptr_0();
bool L_16 = IntPtr_op_Equality_mEE8D9FD2DFE312BBAA8B4ED3BF7976B3142A5934((intptr_t)L_13, (intptr_t)L_15, /*hidden argument*/NULL);
V_2 = L_16;
goto IL_0067;
}
IL_0067:
{
bool L_17 = V_2;
return L_17;
}
}
// System.Boolean UnityEngine.TrackedReference::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool TrackedReference_Equals_mB1E157BE74CB5240DA6C4D3A38047A015B067C20 (TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * __this, RuntimeObject * ___o0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TrackedReference_Equals_mB1E157BE74CB5240DA6C4D3A38047A015B067C20_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
RuntimeObject * L_0 = ___o0;
bool L_1 = TrackedReference_op_Equality_m6176AA0B99576B1734E9A9D7DDA0A27ECACBAA96(((TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 *)IsInstClass((RuntimeObject*)L_0, TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107_il2cpp_TypeInfo_var)), __this, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_0013;
}
IL_0013:
{
bool L_2 = V_0;
return L_2;
}
}
// System.Int32 UnityEngine.TrackedReference::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t TrackedReference_GetHashCode_mFA57A6A43AAB04ACB6FFB4038646B4BCC56FA1D6 (TrackedReference_tE93229EF7055CBB35B2A98DD2493947428D06107 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
intptr_t L_0 = __this->get_m_Ptr_0();
int32_t L_1 = IntPtr_op_Explicit_mD69722A4C61D33FE70E790325C6E0DC690F9494F((intptr_t)L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_0012;
}
IL_0012:
{
int32_t L_2 = V_0;
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 UnityEngine.Transform::.ctor()
extern "C" IL2CPP_METHOD_ATTR void Transform__ctor_mE8E10A06C8922623BAC6053550D19B2E297C2F35 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
{
Component__ctor_m5E2740C0ACA4B368BC460315FAA2EDBFEAC0B8EF(__this, /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::get_position()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_get_position_mF54C3A064F7C8E24F1C56EE128728B2E4485E294 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.Transform::set_position(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_position_mDA89E4893F14ECA5CBEEE7FB80A5BF7C1B8EA6DC (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method)
{
{
Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::get_localPosition()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_get_localPosition_m812D43318E05BDCB78310EB7308785A13D85EFD8 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.Transform::set_localPosition(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localPosition_m275F5550DD939F83AFEB5E8D681131172E2E1728 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method)
{
{
Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::get_forward()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_get_forward_m0BE1E88B86049ADA39391C3ACED2314A624BC67F (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Transform_get_forward_m0BE1E88B86049ADA39391C3ACED2314A624BC67F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 L_0 = Transform_get_rotation_m3AB90A67403249AECCA5E02BC70FCE8C90FE9FB9(__this, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = Vector3_get_forward_m3E2E192B3302130098738C308FA1EE1439449D0D(/*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_2 = Quaternion_op_Multiply_mD5999DE317D808808B72E58E7A978C4C0995879C(L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0017;
}
IL_0017:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_3 = V_0;
return L_3;
}
}
// UnityEngine.Quaternion UnityEngine.Transform::get_rotation()
extern "C" IL2CPP_METHOD_ATTR Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 Transform_get_rotation_m3AB90A67403249AECCA5E02BC70FCE8C90FE9FB9 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B(__this, (Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *)(&V_0), /*hidden argument*/NULL);
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 L_0 = V_0;
return L_0;
}
}
// UnityEngine.Quaternion UnityEngine.Transform::get_localRotation()
extern "C" IL2CPP_METHOD_ATTR Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 Transform_get_localRotation_mEDA319E1B42EF12A19A95AC0824345B6574863FE (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B(__this, (Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *)(&V_0), /*hidden argument*/NULL);
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.Transform::set_localRotation(UnityEngine.Quaternion)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localRotation_mE2BECB0954FFC1D93FB631600D9A9BEFF41D9C8A (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___value0, const RuntimeMethod* method)
{
{
Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5(__this, (Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::get_localScale()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_get_localScale_mD8F631021C2D62B7C341B1A17FA75491F64E13DA (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = V_0;
return L_0;
}
}
// System.Void UnityEngine.Transform::set_localScale(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localScale_m7ED1A6E5A87CD1D483515B99D6D3121FB92B0556 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method)
{
{
Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Transform UnityEngine.Transform::get_parent()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_get_parent_m8FA24E38A1FA29D90CBF3CDC9F9F017C65BB3403 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * V_0 = NULL;
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = Transform_get_parentInternal_mEE407FBF144B4EE785164788FD455CAA82DC7C2E(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.Transform::set_parent(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_parent_m65B8E4660B2C554069C57A957D9E55FECA7AA73E (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Transform_set_parent_m65B8E4660B2C554069C57A957D9E55FECA7AA73E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
if (!((RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20 *)IsInstSealed((RuntimeObject*)__this, RectTransform_t285CBD8775B25174B75164F10618F8B9728E1B20_il2cpp_TypeInfo_var)))
{
goto IL_0017;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogWarning_mD417697331190AC1D21C463F412C475103A7256E(_stringLiteral2FA169D43E3A5541775A437F1F1BF96AC6883F71, __this, /*hidden argument*/NULL);
}
IL_0017:
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = ___value0;
Transform_set_parentInternal_m8534EFFADCF054FFA081769F84256F9921B0258C(__this, L_0, /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Transform UnityEngine.Transform::get_parentInternal()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_get_parentInternal_mEE407FBF144B4EE785164788FD455CAA82DC7C2E (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * V_0 = NULL;
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6(__this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.Transform::set_parentInternal(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_parentInternal_m8534EFFADCF054FFA081769F84256F9921B0258C (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___value0, const RuntimeMethod* method)
{
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = ___value0;
Transform_SetParent_mFAF9209CAB6A864552074BA065D740924A4BF979(__this, L_0, /*hidden argument*/NULL);
return;
}
}
// UnityEngine.Transform UnityEngine.Transform::GetParent()
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
typedef Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * (*Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *);
static Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_GetParent_m1C9AFA68C014287E3D62A496A5F9AE16EF9BD7E6_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::GetParent()");
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Transform_SetParent_mFAF9209CAB6A864552074BA065D740924A4BF979 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___p0, const RuntimeMethod* method)
{
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = ___p0;
Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35(__this, L_0, (bool)1, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___parent0, bool ___worldPositionStays1, const RuntimeMethod* method)
{
typedef void (*Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, bool);
static Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_SetParent_m268E3814921D90882EFECE244A797264DE2A5E35_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::SetParent(UnityEngine.Transform,System.Boolean)");
_il2cpp_icall_func(__this, ___parent0, ___worldPositionStays1);
}
// UnityEngine.Matrix4x4 UnityEngine.Transform::get_worldToLocalMatrix()
extern "C" IL2CPP_METHOD_ATTR Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA Transform_get_worldToLocalMatrix_m4791F881839B1087B17DC126FC0CA7F9A596073E (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936(__this, (Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA *)(&V_0), /*hidden argument*/NULL);
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA L_0 = V_0;
return L_0;
}
}
// UnityEngine.Matrix4x4 UnityEngine.Transform::get_localToWorldMatrix()
extern "C" IL2CPP_METHOD_ATTR Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA Transform_get_localToWorldMatrix_mBC86B8C7BA6F53DAB8E0120D77729166399A0EED (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9(__this, (Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA *)(&V_0), /*hidden argument*/NULL);
Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::TransformPoint(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_TransformPoint_mA96DC2A20EE7F4F915F7509863A18D99F5DD76CB (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___position0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___position0), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = V_0;
return L_0;
}
}
// UnityEngine.Vector3 UnityEngine.Transform::InverseTransformPoint(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Transform_InverseTransformPoint_mB6E3145F20B531B4A781C194BAC43A8255C96C47 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___position0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___position0), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = V_0;
return L_0;
}
}
// System.Int32 UnityEngine.Transform::get_childCount()
extern "C" IL2CPP_METHOD_ATTR int32_t Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
typedef int32_t (*Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *);
static Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_childCount()");
int32_t retVal = _il2cpp_icall_func(__this);
return retVal;
}
// System.Void UnityEngine.Transform::SetAsFirstSibling()
extern "C" IL2CPP_METHOD_ATTR void Transform_SetAsFirstSibling_m2CAD80F7C9D89EE145BC9D3D0937D6EBEE909531 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
typedef void (*Transform_SetAsFirstSibling_m2CAD80F7C9D89EE145BC9D3D0937D6EBEE909531_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *);
static Transform_SetAsFirstSibling_m2CAD80F7C9D89EE145BC9D3D0937D6EBEE909531_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_SetAsFirstSibling_m2CAD80F7C9D89EE145BC9D3D0937D6EBEE909531_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::SetAsFirstSibling()");
_il2cpp_icall_func(__this);
}
// UnityEngine.Transform UnityEngine.Transform::FindRelativeTransformWithPath(UnityEngine.Transform,System.String,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___transform0, String_t* ___path1, bool ___isActiveOnly2, const RuntimeMethod* method)
{
typedef Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * (*Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, String_t*, bool);
static Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::FindRelativeTransformWithPath(UnityEngine.Transform,System.String,System.Boolean)");
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * retVal = _il2cpp_icall_func(___transform0, ___path1, ___isActiveOnly2);
return retVal;
}
// UnityEngine.Transform UnityEngine.Transform::Find(System.String)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, String_t* ___n0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * V_0 = NULL;
{
String_t* L_0 = ___n0;
if (L_0)
{
goto IL_0012;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, _stringLiteral0083B4F6CF99B88F9288EBBCF395C67CD3D3118E, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1_RuntimeMethod_var);
}
IL_0012:
{
String_t* L_2 = ___n0;
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_3 = Transform_FindRelativeTransformWithPath_mE13AC72C52AEA193FA2BED0BDE2BF24CEAC13186(__this, L_2, (bool)0, /*hidden argument*/NULL);
V_0 = L_3;
goto IL_0020;
}
IL_0020:
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_4 = V_0;
return L_4;
}
}
// System.Boolean UnityEngine.Transform::IsChildOf(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR bool Transform_IsChildOf_mCB98BA14F7FB82B6AF6AE961E84C47AE1D99AA80 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___parent0, const RuntimeMethod* method)
{
typedef bool (*Transform_IsChildOf_mCB98BA14F7FB82B6AF6AE961E84C47AE1D99AA80_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *);
static Transform_IsChildOf_mCB98BA14F7FB82B6AF6AE961E84C47AE1D99AA80_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_IsChildOf_mCB98BA14F7FB82B6AF6AE961E84C47AE1D99AA80_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::IsChildOf(UnityEngine.Transform)");
bool retVal = _il2cpp_icall_func(__this, ___parent0);
return retVal;
}
// UnityEngine.Transform UnityEngine.Transform::FindChild(System.String)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_FindChild_m247BF8118059D7A2499DE94883F86A3A72B600EC (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, String_t* ___n0, const RuntimeMethod* method)
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * V_0 = NULL;
{
String_t* L_0 = ___n0;
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_1 = Transform_Find_m673797B6329C2669A543904532ABA1680DA4EAD1(__this, L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000e;
}
IL_000e:
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_2 = V_0;
return L_2;
}
}
// System.Collections.IEnumerator UnityEngine.Transform::GetEnumerator()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject* Transform_GetEnumerator_mE98B6C5F644AE362EC1D58C10506327D6A5878FC (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Transform_GetEnumerator_mE98B6C5F644AE362EC1D58C10506327D6A5878FC_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject* V_0 = NULL;
{
Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * L_0 = (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC *)il2cpp_codegen_object_new(Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC_il2cpp_TypeInfo_var);
Enumerator__ctor_mBF5A46090D26A1DD98484C00389566FD8CB80770(L_0, __this, /*hidden argument*/NULL);
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
RuntimeObject* L_1 = V_0;
return L_1;
}
}
// UnityEngine.Transform UnityEngine.Transform::GetChild(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, int32_t ___index0, const RuntimeMethod* method)
{
typedef Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * (*Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, int32_t);
static Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::GetChild(System.Int32)");
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * retVal = _il2cpp_icall_func(__this, ___index0);
return retVal;
}
// System.Void UnityEngine.Transform::get_position_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_position_Injected_mFD1BD0E2D17761BA08289ABBB4F87EDFFF7C1EBB_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_position_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::set_position_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method)
{
typedef void (*Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_set_position_Injected_mB6BEBF6B460A566E933ED59C4470ED58D81B3226_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::set_position_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.Transform::get_localPosition_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_localPosition_Injected_mC1E8F9DAC652621188ABFB58571782157E4C8FBA_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_localPosition_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::set_localPosition_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method)
{
typedef void (*Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_set_localPosition_Injected_m8B4E45BAADCDD69683EB6424992FC9B9045927DE_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::set_localPosition_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.Transform::get_rotation_Injected(UnityEngine.QuaternionU26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *);
static Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_rotation_Injected_m41BEC8ACE323E571978CED341997B1174340701B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_rotation_Injected(UnityEngine.Quaternion&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::get_localRotation_Injected(UnityEngine.QuaternionU26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *);
static Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_localRotation_Injected_m1ADF4910B326BAA828892B3ADC5AD1A332DE963B_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_localRotation_Injected(UnityEngine.Quaternion&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::set_localRotation_Injected(UnityEngine.QuaternionU26)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * ___value0, const RuntimeMethod* method)
{
typedef void (*Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 *);
static Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_set_localRotation_Injected_mF84F8CFA00AABFB7520AB782BA8A6E4BBF24FDD5_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::set_localRotation_Injected(UnityEngine.Quaternion&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.Transform::get_localScale_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_localScale_Injected_mA8987BAB5DA11154A22E2B36995C7328792371BE_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_localScale_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::set_localScale_Injected(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method)
{
typedef void (*Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_set_localScale_Injected_m9BF22FF0CD55A5008834951B58BB8E70D6982AB2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::set_localScale_Injected(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___value0);
}
// System.Void UnityEngine.Transform::get_worldToLocalMatrix_Injected(UnityEngine.Matrix4x4U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA *);
static Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_worldToLocalMatrix_Injected_mFEC701DE6F97A22DF1718EB82FBE3C3E62447936_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_worldToLocalMatrix_Injected(UnityEngine.Matrix4x4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::get_localToWorldMatrix_Injected(UnityEngine.Matrix4x4U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9 (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA * ___ret0, const RuntimeMethod* method)
{
typedef void (*Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Matrix4x4_t6BF60F70C9169DF14C9D2577672A44224B236ECA *);
static Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_get_localToWorldMatrix_Injected_mF5629FA21895EB6851367E1636283C7FB70333A9_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_localToWorldMatrix_Injected(UnityEngine.Matrix4x4&)");
_il2cpp_icall_func(__this, ___ret0);
}
// System.Void UnityEngine.Transform::TransformPoint_Injected(UnityEngine.Vector3U26,UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___position0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret1, const RuntimeMethod* method)
{
typedef void (*Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_TransformPoint_Injected_mB697D04DF989E68C8AAFAE6BFBBE718B68CB477D_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::TransformPoint_Injected(UnityEngine.Vector3&,UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___position0, ___ret1);
}
// System.Void UnityEngine.Transform::InverseTransformPoint_Injected(UnityEngine.Vector3U26,UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___position0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___ret1, const RuntimeMethod* method)
{
typedef void (*Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D_ftn) (Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (Transform_InverseTransformPoint_Injected_m320ED08EABA9713FDF7BDAD425630D567D39AB1D_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::InverseTransformPoint_Injected(UnityEngine.Vector3&,UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___position0, ___ret1);
}
#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 UnityEngine.Transform_Enumerator::.ctor(UnityEngine.Transform)
extern "C" IL2CPP_METHOD_ATTR void Enumerator__ctor_mBF5A46090D26A1DD98484C00389566FD8CB80770 (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * __this, Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___outer0, const RuntimeMethod* method)
{
{
__this->set_currentIndex_1((-1));
Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0(__this, /*hidden argument*/NULL);
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = ___outer0;
__this->set_outer_0(L_0);
return;
}
}
// System.Object UnityEngine.Transform_Enumerator::get_Current()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mD91FA41B0959224F24BF83051D46FCF3AF82F773 (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * __this, const RuntimeMethod* method)
{
RuntimeObject * V_0 = NULL;
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = __this->get_outer_0();
int32_t L_1 = __this->get_currentIndex_1();
NullCheck(L_0);
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_2 = Transform_GetChild_mC86B9B61E4EC086A571B09EA7A33FFBF50DF52D3(L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0018;
}
IL_0018:
{
RuntimeObject * L_3 = V_0;
return L_3;
}
}
// System.Boolean UnityEngine.Transform_Enumerator::MoveNext()
extern "C" IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_mF27E895DC4BB3826D2F00E9484A9ECC635770031 (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
int32_t V_1 = 0;
bool V_2 = false;
{
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * L_0 = __this->get_outer_0();
NullCheck(L_0);
int32_t L_1 = Transform_get_childCount_m7665D779DCDB6B175FB52A254276CDF0C384A724(L_0, /*hidden argument*/NULL);
V_0 = L_1;
int32_t L_2 = __this->get_currentIndex_1();
int32_t L_3 = ((int32_t)il2cpp_codegen_add((int32_t)L_2, (int32_t)1));
V_1 = L_3;
__this->set_currentIndex_1(L_3);
int32_t L_4 = V_1;
int32_t L_5 = V_0;
V_2 = (bool)((((int32_t)L_4) < ((int32_t)L_5))? 1 : 0);
goto IL_0027;
}
IL_0027:
{
bool L_6 = V_2;
return L_6;
}
}
// System.Void UnityEngine.Transform_Enumerator::Reset()
extern "C" IL2CPP_METHOD_ATTR void Enumerator_Reset_mA4AD59858E0D61FE247C0E158737A4C02FCE244F (Enumerator_t638F7B8050EF8C37413868F2AF7EA5E1D36123CC * __this, const RuntimeMethod* method)
{
{
__this->set_currentIndex_1((-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.Boolean UnityEngine.U2D.SpriteAtlas::CanBindTo(UnityEngine.Sprite)
extern "C" IL2CPP_METHOD_ATTR bool SpriteAtlas_CanBindTo_m6CE0E011A4C5F489F9A62317380FB35F20DF7016 (SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A * __this, Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___sprite0, const RuntimeMethod* method)
{
typedef bool (*SpriteAtlas_CanBindTo_m6CE0E011A4C5F489F9A62317380FB35F20DF7016_ftn) (SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A *, Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 *);
static SpriteAtlas_CanBindTo_m6CE0E011A4C5F489F9A62317380FB35F20DF7016_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SpriteAtlas_CanBindTo_m6CE0E011A4C5F489F9A62317380FB35F20DF7016_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.U2D.SpriteAtlas::CanBindTo(UnityEngine.Sprite)");
bool retVal = _il2cpp_icall_func(__this, ___sprite0);
return retVal;
}
#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.Boolean UnityEngine.U2D.SpriteAtlasManager::RequestAtlas(System.String)
extern "C" IL2CPP_METHOD_ATTR bool SpriteAtlasManager_RequestAtlas_m792F61C44C634D9E8F1E15401C8CECB7A12F5DDE (String_t* ___tag0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SpriteAtlasManager_RequestAtlas_m792F61C44C634D9E8F1E15401C8CECB7A12F5DDE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
String_t* G_B3_0 = NULL;
Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * G_B3_1 = NULL;
String_t* G_B2_0 = NULL;
Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * G_B2_1 = NULL;
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * L_0 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRequested_0();
if (!L_0)
{
goto IL_003b;
}
}
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 * L_1 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRequested_0();
String_t* L_2 = ___tag0;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_3 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_2();
G_B2_0 = L_2;
G_B2_1 = L_1;
if (L_3)
{
G_B3_0 = L_2;
G_B3_1 = L_1;
goto IL_002a;
}
}
{
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_4 = (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)il2cpp_codegen_object_new(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285_il2cpp_TypeInfo_var);
Action_1__ctor_m3410995AC0E42939031462C4335B4BB5D6B65703(L_4, NULL, (intptr_t)((intptr_t)SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2_RuntimeMethod_var), /*hidden argument*/Action_1__ctor_m3410995AC0E42939031462C4335B4BB5D6B65703_RuntimeMethod_var);
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->set_U3CU3Ef__mgU24cache0_2(L_4);
G_B3_0 = G_B2_0;
G_B3_1 = G_B2_1;
}
IL_002a:
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_5 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_2();
NullCheck(G_B3_1);
Action_2_Invoke_mF869CA06F0E5E20E3F4324AC19C43EE97B3F8A00(G_B3_1, G_B3_0, L_5, /*hidden argument*/Action_2_Invoke_mF869CA06F0E5E20E3F4324AC19C43EE97B3F8A00_RuntimeMethod_var);
V_0 = (bool)1;
goto IL_0042;
}
IL_003b:
{
V_0 = (bool)0;
goto IL_0042;
}
IL_0042:
{
bool L_6 = V_0;
return L_6;
}
}
// System.Void UnityEngine.U2D.SpriteAtlasManager::add_atlasRegistered(System.Action`1<UnityEngine.U2D.SpriteAtlas>)
extern "C" IL2CPP_METHOD_ATTR void SpriteAtlasManager_add_atlasRegistered_m6742D91F217B69CC2A65D80B5F25CFA372A1E2DA (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SpriteAtlasManager_add_atlasRegistered_m6742D91F217B69CC2A65D80B5F25CFA372A1E2DA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * V_0 = NULL;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * V_1 = NULL;
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_0 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRegistered_1();
V_0 = L_0;
}
IL_0006:
{
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_1 = V_0;
V_1 = L_1;
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_2 = V_1;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_3 = ___value0;
Delegate_t * L_4 = Delegate_Combine_mC25D2F7DECAFBA6D9A2F9EBA8A77063F0658ECF1(L_2, L_3, /*hidden argument*/NULL);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_5 = V_0;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_6 = InterlockedCompareExchangeImpl<Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *>((Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 **)(((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_address_of_atlasRegistered_1()), ((Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)CastclassSealed((RuntimeObject*)L_4, Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285_il2cpp_TypeInfo_var)), L_5);
V_0 = L_6;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_7 = V_0;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_8 = V_1;
if ((!(((RuntimeObject*)(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)L_7) == ((RuntimeObject*)(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)L_8))))
{
goto IL_0006;
}
}
{
return;
}
}
// System.Void UnityEngine.U2D.SpriteAtlasManager::remove_atlasRegistered(System.Action`1<UnityEngine.U2D.SpriteAtlas>)
extern "C" IL2CPP_METHOD_ATTR void SpriteAtlasManager_remove_atlasRegistered_m55564CC2797E687E4B966DC1797D059ABBB04051 (Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SpriteAtlasManager_remove_atlasRegistered_m55564CC2797E687E4B966DC1797D059ABBB04051_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * V_0 = NULL;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * V_1 = NULL;
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_0 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRegistered_1();
V_0 = L_0;
}
IL_0006:
{
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_1 = V_0;
V_1 = L_1;
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_2 = V_1;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_3 = ___value0;
Delegate_t * L_4 = Delegate_Remove_m0B0DB7D1B3AF96B71AFAA72BA0EFE32FBBC2932D(L_2, L_3, /*hidden argument*/NULL);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_5 = V_0;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_6 = InterlockedCompareExchangeImpl<Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *>((Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 **)(((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_address_of_atlasRegistered_1()), ((Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)CastclassSealed((RuntimeObject*)L_4, Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285_il2cpp_TypeInfo_var)), L_5);
V_0 = L_6;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_7 = V_0;
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_8 = V_1;
if ((!(((RuntimeObject*)(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)L_7) == ((RuntimeObject*)(Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)L_8))))
{
goto IL_0006;
}
}
{
return;
}
}
// System.Void UnityEngine.U2D.SpriteAtlasManager::PostRegisteredAtlas(UnityEngine.U2D.SpriteAtlas)
extern "C" IL2CPP_METHOD_ATTR void SpriteAtlasManager_PostRegisteredAtlas_m2FCA85EDC754279C0A90CC3AF5E12C3E8F6A61CB (SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A * ___spriteAtlas0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SpriteAtlasManager_PostRegisteredAtlas_m2FCA85EDC754279C0A90CC3AF5E12C3E8F6A61CB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_0 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRegistered_1();
if (L_0)
{
goto IL_000d;
}
}
{
goto IL_0018;
}
IL_000d:
{
IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var);
Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 * L_1 = ((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->get_atlasRegistered_1();
SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A * L_2 = ___spriteAtlas0;
NullCheck(L_1);
Action_1_Invoke_m8196A911FEFF1B1CCF99728FA4F31C74795B7BE2(L_1, L_2, /*hidden argument*/Action_1_Invoke_m8196A911FEFF1B1CCF99728FA4F31C74795B7BE2_RuntimeMethod_var);
}
IL_0018:
{
return;
}
}
// System.Void UnityEngine.U2D.SpriteAtlasManager::Register(UnityEngine.U2D.SpriteAtlas)
extern "C" IL2CPP_METHOD_ATTR void SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2 (SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A * ___spriteAtlas0, const RuntimeMethod* method)
{
typedef void (*SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2_ftn) (SpriteAtlas_t3CCE7E93E25959957EF61B2A875FEF42DAD8537A *);
static SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (SpriteAtlasManager_Register_m2C324F6E122AF09D44E4EE3F8F024323663670D2_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.U2D.SpriteAtlasManager::Register(UnityEngine.U2D.SpriteAtlas)");
_il2cpp_icall_func(___spriteAtlas0);
}
// System.Void UnityEngine.U2D.SpriteAtlasManager::.cctor()
extern "C" IL2CPP_METHOD_ATTR void SpriteAtlasManager__cctor_m826C9096AB53C9C6CFCF342FA9FDC345A726B6C6 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (SpriteAtlasManager__cctor_m826C9096AB53C9C6CFCF342FA9FDC345A726B6C6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->set_atlasRequested_0((Action_2_t93D9A2FE2A1A1E8453EFAE70181CB587FB14FBB4 *)NULL);
((SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t1C01B60566565F3F93DB97484F390383781FF98F_il2cpp_TypeInfo_var))->set_atlasRegistered_1((Action_1_t148D4FE58B48D51DD45913A7B6EAA61E30D4B285 *)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 UnityEngine.UnhandledExceptionHandler::RegisterUECatcher()
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_RegisterUECatcher_mE45C6A0301C35F6193F5774B7683683EF78D21DA (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnhandledExceptionHandler_RegisterUECatcher_mE45C6A0301C35F6193F5774B7683683EF78D21DA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * G_B2_0 = NULL;
AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * G_B1_0 = NULL;
{
AppDomain_t1B59572328F60585904DF52A59FE47CF5B5FFFF8 * L_0 = AppDomain_get_CurrentDomain_m3D3D52C9382D6853E49551DA6182DBC5F1118BF0(/*hidden argument*/NULL);
UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * L_1 = ((UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_StaticFields*)il2cpp_codegen_static_fields_for(UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_0();
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_001e;
}
}
{
UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * L_2 = (UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE *)il2cpp_codegen_object_new(UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE_il2cpp_TypeInfo_var);
UnhandledExceptionEventHandler__ctor_m6C9D92AF9901334C444EE7E83FE859D7E4833ABB(L_2, NULL, (intptr_t)((intptr_t)UnhandledExceptionHandler_HandleUnhandledException_m09FC7ACFE0E555A5815A790856FBF5B0CA50819E_RuntimeMethod_var), /*hidden argument*/NULL);
((UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_StaticFields*)il2cpp_codegen_static_fields_for(UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_il2cpp_TypeInfo_var))->set_U3CU3Ef__mgU24cache0_0(L_2);
G_B2_0 = G_B1_0;
}
IL_001e:
{
UnhandledExceptionEventHandler_tB0DFF05ABF7A3A234C87D4F7A71F98E9AB2D91DE * L_3 = ((UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_StaticFields*)il2cpp_codegen_static_fields_for(UnhandledExceptionHandler_tF4F8A50BB2C5592177E80592BB181B43297850AC_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_0();
NullCheck(G_B2_0);
AppDomain_add_UnhandledException_mEEDCA5704AE44AEE033BC4929067895C7EAC9D2D(G_B2_0, L_3, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnhandledExceptionHandler::HandleUnhandledException(System.Object,System.UnhandledExceptionEventArgs)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_HandleUnhandledException_m09FC7ACFE0E555A5815A790856FBF5B0CA50819E (RuntimeObject * ___sender0, UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1 * ___args1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnhandledExceptionHandler_HandleUnhandledException_m09FC7ACFE0E555A5815A790856FBF5B0CA50819E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Exception_t * V_0 = NULL;
{
UnhandledExceptionEventArgs_t39DD47D43B0D764FE2C9847FBE760031FBEA0FD1 * L_0 = ___args1;
NullCheck(L_0);
RuntimeObject * L_1 = UnhandledExceptionEventArgs_get_ExceptionObject_m1936F64BC46B54AA159A4B366BED7AF11DEED0C3(L_0, /*hidden argument*/NULL);
V_0 = ((Exception_t *)IsInstClass((RuntimeObject*)L_1, Exception_t_il2cpp_TypeInfo_var));
Exception_t * L_2 = V_0;
if (!L_2)
{
goto IL_0041;
}
}
{
Exception_t * L_3 = V_0;
UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77(_stringLiteralC2298C3CEB369A94307F27D80BCDF7987F20199F, L_3, /*hidden argument*/NULL);
Exception_t * L_4 = V_0;
NullCheck(L_4);
Type_t * L_5 = Exception_GetType_mA3390B9D538D5FAC3802D9D8A2FCAC31465130F3(L_4, /*hidden argument*/NULL);
NullCheck(L_5);
String_t* L_6 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, L_5);
Exception_t * L_7 = V_0;
NullCheck(L_7);
String_t* L_8 = VirtFuncInvoker0< String_t* >::Invoke(5 /* System.String System.Exception::get_Message() */, L_7);
Exception_t * L_9 = V_0;
NullCheck(L_9);
String_t* L_10 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Exception::get_StackTrace() */, L_9);
UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6(L_6, L_8, L_10, /*hidden argument*/NULL);
goto IL_004b;
}
IL_0041:
{
UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6((String_t*)NULL, (String_t*)NULL, (String_t*)NULL, /*hidden argument*/NULL);
}
IL_004b:
{
return;
}
}
// System.Void UnityEngine.UnhandledExceptionHandler::PrintException(System.String,System.Exception)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77 (String_t* ___title0, Exception_t * ___e1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Exception_t * L_0 = ___e1;
IL2CPP_RUNTIME_CLASS_INIT(Debug_t7B5FCB117E2FD63B6838BC52821B252E2BFB61C4_il2cpp_TypeInfo_var);
Debug_LogException_mBAA6702C240E37B2A834AA74E4FDC15A3A5589A9(L_0, /*hidden argument*/NULL);
Exception_t * L_1 = ___e1;
NullCheck(L_1);
Exception_t * L_2 = Exception_get_InnerException_mCB68CC8CBF2540EF381CB17A4E4E3F6D0E33453F(L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_0022;
}
}
{
Exception_t * L_3 = ___e1;
NullCheck(L_3);
Exception_t * L_4 = Exception_get_InnerException_mCB68CC8CBF2540EF381CB17A4E4E3F6D0E33453F(L_3, /*hidden argument*/NULL);
UnhandledExceptionHandler_PrintException_m4CBE36F17C3F2B72205DB96B6D1377E4B3D11C77(_stringLiteral40AD3C3A623F6FA60AE5826A9CC47F50B1B85BCB, L_4, /*hidden argument*/NULL);
}
IL_0022:
{
return;
}
}
// System.Void UnityEngine.UnhandledExceptionHandler::iOSNativeUnhandledExceptionHandler(System.String,System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6 (String_t* ___managedExceptionType0, String_t* ___managedExceptionMessage1, String_t* ___managedExceptionStack2, const RuntimeMethod* method)
{
typedef void (*UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6_ftn) (String_t*, String_t*, String_t*);
static UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (UnhandledExceptionHandler_iOSNativeUnhandledExceptionHandler_mD7444FEA5E5A468B81682D0C10831FD62ED60DC6_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.UnhandledExceptionHandler::iOSNativeUnhandledExceptionHandler(System.String,System.String,System.String)");
_il2cpp_icall_func(___managedExceptionType0, ___managedExceptionMessage1, ___managedExceptionStack2);
}
#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 UnityEngine.UnityAPICompatibilityVersionAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityAPICompatibilityVersionAttribute__ctor_m396699681ECFF3E716BF37E25CCF6A38960549C9 (UnityAPICompatibilityVersionAttribute_tDC26EEE2EDF33E26A15AD9E28EC3225DF09738C8 * __this, String_t* ___version0, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
String_t* L_0 = ___version0;
__this->set__version_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 UnityEngine.UnityException::.ctor()
extern "C" IL2CPP_METHOD_ATTR void UnityException__ctor_m68C827240B217197615D8DA06FD3A443127D81DE (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnityException__ctor_m68C827240B217197615D8DA06FD3A443127D81DE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(Exception_t_il2cpp_TypeInfo_var);
Exception__ctor_m89BADFF36C3B170013878726E07729D51AA9FBE0(__this, _stringLiteralC21795AE8BD7A7002E8884AC9BF9FA8A63E03A2A, /*hidden argument*/NULL);
Exception_set_HResult_m920DF8C728D8A0EC0759685FED890C775FA08B99(__this, ((int32_t)-2147467261), /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9 (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * __this, String_t* ___message0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnityException__ctor_mE42363D886E6DD7F075A6AEA689434C8E96722D9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
String_t* L_0 = ___message0;
IL2CPP_RUNTIME_CLASS_INIT(Exception_t_il2cpp_TypeInfo_var);
Exception__ctor_m89BADFF36C3B170013878726E07729D51AA9FBE0(__this, L_0, /*hidden argument*/NULL);
Exception_set_HResult_m920DF8C728D8A0EC0759685FED890C775FA08B99(__this, ((int32_t)-2147467261), /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityException::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext)
extern "C" IL2CPP_METHOD_ATTR void UnityException__ctor_m27B11548FE152B9AB9402E54CB6A50A2EE6FFE31 (UnityException_t513F7D97037DB40AE78D7C3AAA2F9E011D050C28 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnityException__ctor_m27B11548FE152B9AB9402E54CB6A50A2EE6FFE31_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0;
StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 L_1 = ___context1;
IL2CPP_RUNTIME_CLASS_INIT(Exception_t_il2cpp_TypeInfo_var);
Exception__ctor_mBFF5996A1B65FCEEE0054A95A652BA3DD6366618(__this, L_0, L_1, /*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 UnityEngine.UnityLogWriter::.ctor()
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter__ctor_mE8DC0EAD466C5F290F6D32CC07F0F70590688833 (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnityLogWriter__ctor_mE8DC0EAD466C5F290F6D32CC07F0F70590688833_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
IL2CPP_RUNTIME_CLASS_INIT(TextWriter_t92451D929322093838C41489883D5B2D7ABAF3F0_il2cpp_TypeInfo_var);
TextWriter__ctor_m9E003066292D16C33BCD9F462445436BCBF9AAFA(__this, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityLogWriter::WriteStringToUnityLog(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_WriteStringToUnityLog_m0036CA8A9FB1FE3CFF460CA0212B6377B09E6504 (String_t* ___s0, const RuntimeMethod* method)
{
{
String_t* L_0 = ___s0;
if (L_0)
{
goto IL_000c;
}
}
{
goto IL_0012;
}
IL_000c:
{
String_t* L_1 = ___s0;
UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985(L_1, /*hidden argument*/NULL);
}
IL_0012:
{
return;
}
}
// System.Void UnityEngine.UnityLogWriter::WriteStringToUnityLogImpl(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985 (String_t* ___s0, const RuntimeMethod* method)
{
typedef void (*UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985_ftn) (String_t*);
static UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.UnityLogWriter::WriteStringToUnityLogImpl(System.String)");
_il2cpp_icall_func(___s0);
}
// System.Void UnityEngine.UnityLogWriter::Init()
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_Init_mAD1F3BFE2183E39CFA1E7BEFB948B368547D9E99 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnityLogWriter_Init_mAD1F3BFE2183E39CFA1E7BEFB948B368547D9E99_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * L_0 = (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 *)il2cpp_codegen_object_new(UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057_il2cpp_TypeInfo_var);
UnityLogWriter__ctor_mE8DC0EAD466C5F290F6D32CC07F0F70590688833(L_0, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Console_t5C8E87BA271B0DECA837A3BF9093AC3560DB3D5D_il2cpp_TypeInfo_var);
Console_SetOut_mAC2420DF73A65A087FAA07AB367F3B54785C30BF(L_0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityLogWriter::Write(System.Char)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_Write_mB1200B0B26545C48E178BFE952BEE14BDE53D2A7 (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * __this, Il2CppChar ___value0, const RuntimeMethod* method)
{
{
String_t* L_0 = Char_ToString_mA42A88FEBA41B72D48BB24373E3101B7A91B6FD8((Il2CppChar*)(&___value0), /*hidden argument*/NULL);
UnityLogWriter_WriteStringToUnityLog_m0036CA8A9FB1FE3CFF460CA0212B6377B09E6504(L_0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityLogWriter::Write(System.String)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_Write_mE3A4616A06A79B87512C3B0C8100EB508BB85C52 (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * __this, String_t* ___s0, const RuntimeMethod* method)
{
{
String_t* L_0 = ___s0;
UnityLogWriter_WriteStringToUnityLog_m0036CA8A9FB1FE3CFF460CA0212B6377B09E6504(L_0, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.UnityLogWriter::Write(System.Char[],System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void UnityLogWriter_Write_mE21873E7757E51C3771C58321E995DEBB2ADF750 (UnityLogWriter_tC410B1D6FCF9C74F0B6915C8F97C75E103ED0057 * __this, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___buffer0, int32_t ___index1, int32_t ___count2, const RuntimeMethod* method)
{
{
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_0 = ___buffer0;
int32_t L_1 = ___index1;
int32_t L_2 = ___count2;
String_t* L_3 = String_CreateString_mC7FB167C0D5B97F7EF502AF54399C61DD5B87509(NULL, L_0, L_1, L_2, /*hidden argument*/NULL);
UnityLogWriter_WriteStringToUnityLogImpl_mA39CCE94FF5BD2ABD4A8C8D78A00E366C64B4985(L_3, /*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 UnityEngine.UnitySynchronizationContext::.ctor(System.Int32)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext__ctor_mCABD0C784640450930DF24FAD73E8AD6D1B52037 (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, int32_t ___mainThreadID0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext__ctor_mCABD0C784640450930DF24FAD73E8AD6D1B52037_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_0 = (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *)il2cpp_codegen_object_new(List_1_t6E5C746AF7DE21972A905DE655062193862839D6_il2cpp_TypeInfo_var);
List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890(L_0, ((int32_t)20), /*hidden argument*/List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_RuntimeMethod_var);
__this->set_m_CurrentFrameWork_1(L_0);
SynchronizationContext__ctor_mC7C5F426C3450ACA409B5FE89E961EB8E5047512(__this, /*hidden argument*/NULL);
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_1 = (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *)il2cpp_codegen_object_new(List_1_t6E5C746AF7DE21972A905DE655062193862839D6_il2cpp_TypeInfo_var);
List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890(L_1, ((int32_t)20), /*hidden argument*/List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_RuntimeMethod_var);
__this->set_m_AsyncWorkQueue_0(L_1);
int32_t L_2 = ___mainThreadID0;
__this->set_m_MainThreadID_2(L_2);
return;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::.ctor(System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext_WorkRequest>,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext__ctor_m9D104656F4EAE96CB3A40DDA6EDCEBA752664612 (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * ___queue0, int32_t ___mainThreadID1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext__ctor_m9D104656F4EAE96CB3A40DDA6EDCEBA752664612_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_0 = (List_1_t6E5C746AF7DE21972A905DE655062193862839D6 *)il2cpp_codegen_object_new(List_1_t6E5C746AF7DE21972A905DE655062193862839D6_il2cpp_TypeInfo_var);
List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890(L_0, ((int32_t)20), /*hidden argument*/List_1__ctor_m4132DD6664CF5CC56F074AEFE903274584872890_RuntimeMethod_var);
__this->set_m_CurrentFrameWork_1(L_0);
SynchronizationContext__ctor_mC7C5F426C3450ACA409B5FE89E961EB8E5047512(__this, /*hidden argument*/NULL);
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_1 = ___queue0;
__this->set_m_AsyncWorkQueue_0(L_1);
int32_t L_2 = ___mainThreadID1;
__this->set_m_MainThreadID_2(L_2);
return;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::Send(System.Threading.SendOrPostCallback,System.Object)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_Send_m25CDC5B5ABF8D55B70EB314AA46923E3CF2AD4B9 (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___callback0, RuntimeObject * ___state1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_Send_m25CDC5B5ABF8D55B70EB314AA46923E3CF2AD4B9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * V_0 = NULL;
RuntimeObject * V_1 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
int32_t L_0 = __this->get_m_MainThreadID_2();
Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * L_1 = Thread_get_CurrentThread_mB7A83CAE2B9A74CEA053196DFD1AF1E7AB30A70E(/*hidden argument*/NULL);
NullCheck(L_1);
int32_t L_2 = Thread_get_ManagedThreadId_m7FA85162CB00713B94EF5708B19120F791D3AAD1(L_1, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) == ((uint32_t)L_2))))
{
goto IL_0024;
}
}
{
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * L_3 = ___callback0;
RuntimeObject * L_4 = ___state1;
NullCheck(L_3);
SendOrPostCallback_Invoke_m10442BF6A452A4408C3DDD1885D6809C4549C2AC(L_3, L_4, /*hidden argument*/NULL);
goto IL_0076;
}
IL_0024:
{
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_5 = (ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 *)il2cpp_codegen_object_new(ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408_il2cpp_TypeInfo_var);
ManualResetEvent__ctor_m8973D9E3C622B9602641C017A33870F51D0311E1(L_5, (bool)0, /*hidden argument*/NULL);
V_0 = L_5;
}
IL_002c:
try
{ // begin try (depth: 1)
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_6 = __this->get_m_AsyncWorkQueue_0();
V_1 = L_6;
RuntimeObject * L_7 = V_1;
Monitor_Enter_m903755FCC479745619842CCDBF5E6355319FA102(L_7, /*hidden argument*/NULL);
}
IL_003a:
try
{ // begin try (depth: 2)
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_8 = __this->get_m_AsyncWorkQueue_0();
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * L_9 = ___callback0;
RuntimeObject * L_10 = ___state1;
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_11 = V_0;
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_12;
memset(&L_12, 0, sizeof(L_12));
WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599((&L_12), L_9, L_10, L_11, /*hidden argument*/NULL);
NullCheck(L_8);
List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6(L_8, L_12, /*hidden argument*/List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6_RuntimeMethod_var);
IL2CPP_LEAVE(0x5B, FINALLY_0054);
} // end try (depth: 2)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0054;
}
FINALLY_0054:
{ // begin finally (depth: 2)
RuntimeObject * L_13 = V_1;
Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_13, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x5B);
IL2CPP_END_FINALLY(84)
} // end finally (depth: 2)
IL2CPP_CLEANUP(84)
{
IL2CPP_JUMP_TBL(0x5B, IL_005b)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_005b:
{
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_14 = V_0;
NullCheck(L_14);
VirtFuncInvoker0< bool >::Invoke(9 /* System.Boolean System.Threading.WaitHandle::WaitOne() */, L_14);
IL2CPP_LEAVE(0x75, FINALLY_0068);
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0068;
}
FINALLY_0068:
{ // begin finally (depth: 1)
{
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_15 = V_0;
if (!L_15)
{
goto IL_0074;
}
}
IL_006e:
{
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_16 = V_0;
NullCheck(L_16);
InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t7218B22548186B208D65EA5B7870503810A2D15A_il2cpp_TypeInfo_var, L_16);
}
IL_0074:
{
IL2CPP_RESET_LEAVE(0x75);
IL2CPP_END_FINALLY(104)
}
} // end finally (depth: 1)
IL2CPP_CLEANUP(104)
{
IL2CPP_JUMP_TBL(0x75, IL_0075)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0075:
{
}
IL_0076:
{
return;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::Post(System.Threading.SendOrPostCallback,System.Object)
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_Post_mB4E900B6E9350E8E944011B6BF3D16C0657375FE (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___callback0, RuntimeObject * ___state1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_Post_mB4E900B6E9350E8E944011B6BF3D16C0657375FE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * 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);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_0 = __this->get_m_AsyncWorkQueue_0();
V_0 = L_0;
RuntimeObject * L_1 = V_0;
Monitor_Enter_m903755FCC479745619842CCDBF5E6355319FA102(L_1, /*hidden argument*/NULL);
}
IL_000e:
try
{ // begin try (depth: 1)
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_2 = __this->get_m_AsyncWorkQueue_0();
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * L_3 = ___callback0;
RuntimeObject * L_4 = ___state1;
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_5;
memset(&L_5, 0, sizeof(L_5));
WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599((&L_5), L_3, L_4, (ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 *)NULL, /*hidden argument*/NULL);
NullCheck(L_2);
List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6(L_2, L_5, /*hidden argument*/List_1_Add_m9E29EB98D3907D02E8BE8AD669CD09C1760D01B6_RuntimeMethod_var);
IL2CPP_LEAVE(0x2F, FINALLY_0028);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0028;
}
FINALLY_0028:
{ // begin finally (depth: 1)
RuntimeObject * L_6 = V_0;
Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_6, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x2F);
IL2CPP_END_FINALLY(40)
} // end finally (depth: 1)
IL2CPP_CLEANUP(40)
{
IL2CPP_JUMP_TBL(0x2F, IL_002f)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_002f:
{
return;
}
}
// System.Threading.SynchronizationContext UnityEngine.UnitySynchronizationContext::CreateCopy()
extern "C" IL2CPP_METHOD_ATTR SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * UnitySynchronizationContext_CreateCopy_mC20AC170E7947120E65ED75D71889CDAC957A5CD (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_CreateCopy_mC20AC170E7947120E65ED75D71889CDAC957A5CD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * V_0 = NULL;
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_0 = __this->get_m_AsyncWorkQueue_0();
int32_t L_1 = __this->get_m_MainThreadID_2();
UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * L_2 = (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F *)il2cpp_codegen_object_new(UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F_il2cpp_TypeInfo_var);
UnitySynchronizationContext__ctor_m9D104656F4EAE96CB3A40DDA6EDCEBA752664612(L_2, L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0018;
}
IL_0018:
{
SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * L_3 = V_0;
return L_3;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::Exec()
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_Exec_m07342201E337E047B73C8B3259710820EFF75A9C (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_Exec_m07342201E337E047B73C8B3259710820EFF75A9C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 V_1;
memset(&V_1, 0, sizeof(V_1));
Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 V_2;
memset(&V_2, 0, sizeof(V_2));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_0 = __this->get_m_AsyncWorkQueue_0();
V_0 = L_0;
RuntimeObject * L_1 = V_0;
Monitor_Enter_m903755FCC479745619842CCDBF5E6355319FA102(L_1, /*hidden argument*/NULL);
}
IL_000e:
try
{ // begin try (depth: 1)
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_2 = __this->get_m_CurrentFrameWork_1();
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_3 = __this->get_m_AsyncWorkQueue_0();
NullCheck(L_2);
List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C(L_2, L_3, /*hidden argument*/List_1_AddRange_mF754555482D7325F566A128095AF093DB906FB6C_RuntimeMethod_var);
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_4 = __this->get_m_AsyncWorkQueue_0();
NullCheck(L_4);
List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A(L_4, /*hidden argument*/List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A_RuntimeMethod_var);
IL2CPP_LEAVE(0x38, FINALLY_0031);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0031;
}
FINALLY_0031:
{ // begin finally (depth: 1)
RuntimeObject * L_5 = V_0;
Monitor_Exit_m49A1E5356D984D0B934BB97A305E2E5E207225C2(L_5, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x38);
IL2CPP_END_FINALLY(49)
} // end finally (depth: 1)
IL2CPP_CLEANUP(49)
{
IL2CPP_JUMP_TBL(0x38, IL_0038)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0038:
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_6 = __this->get_m_CurrentFrameWork_1();
NullCheck(L_6);
Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 L_7 = List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57(L_6, /*hidden argument*/List_1_GetEnumerator_m9B129D06408C7472E392F81D29B10448ADD8FD57_RuntimeMethod_var);
V_2 = L_7;
}
IL_0045:
try
{ // begin try (depth: 1)
{
goto IL_0059;
}
IL_004a:
{
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_8 = Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D((Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *)(&V_2), /*hidden argument*/Enumerator_get_Current_mF59A35C50FD996EA4B7FE149CADAD2D2AAA6402D_RuntimeMethod_var);
V_1 = L_8;
WorkRequest_Invoke_m67D71A48794EEBB6B9793E6F1E015DE90C03C1ED((WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)(&V_1), /*hidden argument*/NULL);
}
IL_0059:
{
bool L_9 = Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510((Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *)(&V_2), /*hidden argument*/Enumerator_MoveNext_mDAE79B8091C9F551A73121BB50FB439C17587510_RuntimeMethod_var);
if (L_9)
{
goto IL_004a;
}
}
IL_0065:
{
IL2CPP_LEAVE(0x78, FINALLY_006a);
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_006a;
}
FINALLY_006a:
{ // begin finally (depth: 1)
Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35((Enumerator_t94D816309F3FD251DEB3C5965B4AF0E87C0AF4C5 *)(&V_2), /*hidden argument*/Enumerator_Dispose_m5A7755FBAC1089756F6E71C4FFDAC30F3F8C1B35_RuntimeMethod_var);
IL2CPP_RESET_LEAVE(0x78);
IL2CPP_END_FINALLY(106)
} // end finally (depth: 1)
IL2CPP_CLEANUP(106)
{
IL2CPP_JUMP_TBL(0x78, IL_0078)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0078:
{
List_1_t6E5C746AF7DE21972A905DE655062193862839D6 * L_10 = __this->get_m_CurrentFrameWork_1();
NullCheck(L_10);
List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A(L_10, /*hidden argument*/List_1_Clear_mC4D030016ED45CB1F213D4E0BCD94D6864BFE84A_RuntimeMethod_var);
return;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::InitializeSynchronizationContext()
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_InitializeSynchronizationContext_m0F2A055040D6848FAD84A08DBC410E56B2D9E6A3 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_InitializeSynchronizationContext_m0F2A055040D6848FAD84A08DBC410E56B2D9E6A3_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * L_0 = SynchronizationContext_get_Current_m349D2AF9766D807E4003E23C6D37EF1592832DF4(/*hidden argument*/NULL);
if (L_0)
{
goto IL_001f;
}
}
{
Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * L_1 = Thread_get_CurrentThread_mB7A83CAE2B9A74CEA053196DFD1AF1E7AB30A70E(/*hidden argument*/NULL);
NullCheck(L_1);
int32_t L_2 = Thread_get_ManagedThreadId_m7FA85162CB00713B94EF5708B19120F791D3AAD1(L_1, /*hidden argument*/NULL);
UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * L_3 = (UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F *)il2cpp_codegen_object_new(UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F_il2cpp_TypeInfo_var);
UnitySynchronizationContext__ctor_mCABD0C784640450930DF24FAD73E8AD6D1B52037(L_3, L_2, /*hidden argument*/NULL);
SynchronizationContext_SetSynchronizationContext_m41A5A4823E9F4B8961657834EAC44397EFE41D61(L_3, /*hidden argument*/NULL);
}
IL_001f:
{
return;
}
}
// System.Void UnityEngine.UnitySynchronizationContext::ExecuteTasks()
extern "C" IL2CPP_METHOD_ATTR void UnitySynchronizationContext_ExecuteTasks_m027AF329D90D6451B83A2EAF3528C9021800A962 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (UnitySynchronizationContext_ExecuteTasks_m027AF329D90D6451B83A2EAF3528C9021800A962_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * V_0 = NULL;
{
SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * L_0 = SynchronizationContext_get_Current_m349D2AF9766D807E4003E23C6D37EF1592832DF4(/*hidden argument*/NULL);
V_0 = ((UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F *)IsInstSealed((RuntimeObject*)L_0, UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F_il2cpp_TypeInfo_var));
UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * L_1 = V_0;
if (!L_1)
{
goto IL_0018;
}
}
{
UnitySynchronizationContext_t29A85681F976537109A84D2316E781568619F55F * L_2 = V_0;
NullCheck(L_2);
UnitySynchronizationContext_Exec_m07342201E337E047B73C8B3259710820EFF75A9C(L_2, /*hidden argument*/NULL);
}
IL_0018:
{
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: UnityEngine.UnitySynchronizationContext/WorkRequest
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_pinvoke(const WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94& unmarshaled, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_pinvoke& marshaled)
{
Exception_t* ___m_WaitHandle_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_WaitHandle' of type 'WorkRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_WaitHandle_2Exception, NULL, NULL);
}
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_pinvoke_back(const WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_pinvoke& marshaled, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94& unmarshaled)
{
Exception_t* ___m_WaitHandle_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_WaitHandle' of type 'WorkRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_WaitHandle_2Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.UnitySynchronizationContext/WorkRequest
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_pinvoke_cleanup(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.UnitySynchronizationContext/WorkRequest
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_com(const WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94& unmarshaled, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_com& marshaled)
{
Exception_t* ___m_WaitHandle_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_WaitHandle' of type 'WorkRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_WaitHandle_2Exception, NULL, NULL);
}
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_com_back(const WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_com& marshaled, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94& unmarshaled)
{
Exception_t* ___m_WaitHandle_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_WaitHandle' of type 'WorkRequest': Reference type field marshaling is not supported.");
IL2CPP_RAISE_MANAGED_EXCEPTION(___m_WaitHandle_2Exception, NULL, NULL);
}
// Conversion method for clean up from marshalling of: UnityEngine.UnitySynchronizationContext/WorkRequest
extern "C" void WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshal_com_cleanup(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_com& marshaled)
{
}
// System.Void UnityEngine.UnitySynchronizationContext_WorkRequest::.ctor(System.Threading.SendOrPostCallback,System.Object,System.Threading.ManualResetEvent)
extern "C" IL2CPP_METHOD_ATTR void WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599 (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * __this, SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___callback0, RuntimeObject * ___state1, ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___waitHandle2, const RuntimeMethod* method)
{
{
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * L_0 = ___callback0;
__this->set_m_DelagateCallback_0(L_0);
RuntimeObject * L_1 = ___state1;
__this->set_m_DelagateState_1(L_1);
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_2 = ___waitHandle2;
__this->set_m_WaitHandle_2(L_2);
return;
}
}
extern "C" void WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599_AdjustorThunk (RuntimeObject * __this, SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___callback0, RuntimeObject * ___state1, ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___waitHandle2, const RuntimeMethod* method)
{
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * _thisAdjusted = reinterpret_cast<WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *>(__this + 1);
WorkRequest__ctor_mE19AE1779B544378C8CB488F1576BDE618548599(_thisAdjusted, ___callback0, ___state1, ___waitHandle2, method);
}
// System.Void UnityEngine.UnitySynchronizationContext_WorkRequest::Invoke()
extern "C" IL2CPP_METHOD_ATTR void WorkRequest_Invoke_m67D71A48794EEBB6B9793E6F1E015DE90C03C1ED (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * __this, const RuntimeMethod* method)
{
{
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * L_0 = __this->get_m_DelagateCallback_0();
RuntimeObject * L_1 = __this->get_m_DelagateState_1();
NullCheck(L_0);
SendOrPostCallback_Invoke_m10442BF6A452A4408C3DDD1885D6809C4549C2AC(L_0, L_1, /*hidden argument*/NULL);
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_2 = __this->get_m_WaitHandle_2();
if (!L_2)
{
goto IL_0029;
}
}
{
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * L_3 = __this->get_m_WaitHandle_2();
NullCheck(L_3);
EventWaitHandle_Set_m7959A86A39735296FC949EC86FDA42A6CFAAB94C(L_3, /*hidden argument*/NULL);
}
IL_0029:
{
return;
}
}
extern "C" void WorkRequest_Invoke_m67D71A48794EEBB6B9793E6F1E015DE90C03C1ED_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * _thisAdjusted = reinterpret_cast<WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *>(__this + 1);
WorkRequest_Invoke_m67D71A48794EEBB6B9793E6F1E015DE90C03C1ED(_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
// System.Void UnityEngine.Vector2::.ctor(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, float ___x0, float ___y1, const RuntimeMethod* method)
{
{
float L_0 = ___x0;
__this->set_x_0(L_0);
float L_1 = ___y1;
__this->set_y_1(L_1);
return;
}
}
extern "C" void Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0_AdjustorThunk (RuntimeObject * __this, float ___x0, float ___y1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0(_thisAdjusted, ___x0, ___y1, method);
}
// System.Single UnityEngine.Vector2::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
int32_t L_0 = ___index0;
if (!L_0)
{
goto IL_0013;
}
}
{
int32_t L_1 = ___index0;
if ((((int32_t)L_1) == ((int32_t)1)))
{
goto IL_001f;
}
}
{
goto IL_002b;
}
IL_0013:
{
float L_2 = __this->get_x_0();
V_0 = L_2;
goto IL_0036;
}
IL_001f:
{
float L_3 = __this->get_y_1();
V_0 = L_3;
goto IL_0036;
}
IL_002b:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_4 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_4, _stringLiteralC8B10A02A794C5D6BA3C7F7BE7ECF9A1E9F63336, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379_RuntimeMethod_var);
}
IL_0036:
{
float L_5 = V_0;
return L_5;
}
}
extern "C" float Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_get_Item_m67344A67120E48C32D9419E24BA7AED29F063379(_thisAdjusted, ___index0, method);
}
// System.Void UnityEngine.Vector2::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = ___index0;
if (!L_0)
{
goto IL_0013;
}
}
{
int32_t L_1 = ___index0;
if ((((int32_t)L_1) == ((int32_t)1)))
{
goto IL_001f;
}
}
{
goto IL_002b;
}
IL_0013:
{
float L_2 = ___value1;
__this->set_x_0(L_2);
goto IL_0036;
}
IL_001f:
{
float L_3 = ___value1;
__this->set_y_1(L_3);
goto IL_0036;
}
IL_002b:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_4 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_4, _stringLiteralC8B10A02A794C5D6BA3C7F7BE7ECF9A1E9F63336, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1_RuntimeMethod_var);
}
IL_0036:
{
return;
}
}
extern "C" void Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
Vector2_set_Item_m2335DC41E2BB7E64C21CDF0EEDE64FFB56E7ABD1(_thisAdjusted, ___index0, ___value1, method);
}
// UnityEngine.Vector2 UnityEngine.Vector2::Scale(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_Scale_m7AA97B65C683CB3B0BCBC61270A7F1A6350355A2 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), ((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_002a;
}
IL_002a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// System.String UnityEngine.Vector2::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0;
float L_2 = __this->get_x_0();
float L_3 = L_2;
RuntimeObject * L_4 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_3);
NullCheck(L_1);
ArrayElementTypeCheck (L_1, L_4);
(L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = L_1;
float L_6 = __this->get_y_1();
float L_7 = L_6;
RuntimeObject * L_8 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_7);
NullCheck(L_5);
ArrayElementTypeCheck (L_5, L_8);
(L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
String_t* L_9 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387(_stringLiteral4F90C928BC21C17D86B46ADE7645DD1CF4D18346, L_5, /*hidden argument*/NULL);
V_0 = L_9;
goto IL_0033;
}
IL_0033:
{
String_t* L_10 = V_0;
return L_10;
}
}
extern "C" String_t* Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_ToString_m83C7C331834382748956B053E252AE3BD21807C4(_thisAdjusted, method);
}
// System.Int32 UnityEngine.Vector2::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
float* L_0 = __this->get_address_of_x_0();
int32_t L_1 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_0, /*hidden argument*/NULL);
float* L_2 = __this->get_address_of_y_1();
int32_t L_3 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_2, /*hidden argument*/NULL);
V_0 = ((int32_t)((int32_t)L_1^(int32_t)((int32_t)((int32_t)L_3<<(int32_t)2))));
goto IL_002c;
}
IL_002c:
{
int32_t L_4 = V_0;
return L_4;
}
}
extern "C" int32_t Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54(_thisAdjusted, method);
}
// System.Boolean UnityEngine.Vector2::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
RuntimeObject * L_0 = ___other0;
if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var)))
{
goto IL_0013;
}
}
{
V_0 = (bool)0;
goto IL_0025;
}
IL_0013:
{
RuntimeObject * L_1 = ___other0;
bool L_2 = Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)__this, ((*(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)UnBox(L_1, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var)))), /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0025;
}
IL_0025:
{
bool L_3 = V_0;
return L_3;
}
}
extern "C" bool Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_Equals_m4A2A75BC3D09933321220BCEF21219B38AF643AE(_thisAdjusted, ___other0, method);
}
// System.Boolean UnityEngine.Vector2::Equals(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___other0, const RuntimeMethod* method)
{
bool V_0 = false;
int32_t G_B3_0 = 0;
{
float* L_0 = __this->get_address_of_x_0();
float L_1 = (&___other0)->get_x_0();
bool L_2 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_0, L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_002c;
}
}
{
float* L_3 = __this->get_address_of_y_1();
float L_4 = (&___other0)->get_y_1();
bool L_5 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_3, L_4, /*hidden argument*/NULL);
G_B3_0 = ((int32_t)(L_5));
goto IL_002d;
}
IL_002c:
{
G_B3_0 = 0;
}
IL_002d:
{
V_0 = (bool)G_B3_0;
goto IL_0033;
}
IL_0033:
{
bool L_6 = V_0;
return L_6;
}
}
extern "C" bool Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB_AdjustorThunk (RuntimeObject * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___other0, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB(_thisAdjusted, ___other0, method);
}
// System.Single UnityEngine.Vector2::Dot(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR float Vector2_Dot_m34F6A75BE3FC6F728233811943AC4406C7D905BA (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lhs0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rhs1, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = (&___lhs0)->get_x_0();
float L_1 = (&___rhs1)->get_x_0();
float L_2 = (&___lhs0)->get_y_1();
float L_3 = (&___rhs1)->get_y_1();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3))));
goto IL_0026;
}
IL_0026:
{
float L_4 = V_0;
return L_4;
}
}
// System.Single UnityEngine.Vector2::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector2_get_sqrMagnitude_mAEE10A8ECE7D5754E10727BA8C9068A759AD7002 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = __this->get_x_0();
float L_1 = __this->get_x_0();
float L_2 = __this->get_y_1();
float L_3 = __this->get_y_1();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3))));
goto IL_0022;
}
IL_0022:
{
float L_4 = V_0;
return L_4;
}
}
extern "C" float Vector2_get_sqrMagnitude_mAEE10A8ECE7D5754E10727BA8C9068A759AD7002_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * _thisAdjusted = reinterpret_cast<Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *>(__this + 1);
return Vector2_get_sqrMagnitude_mAEE10A8ECE7D5754E10727BA8C9068A759AD7002(_thisAdjusted, method);
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Addition(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Addition_m81A4D928B8E399DA3A4E3ACD8937EDFDCB014682 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)il2cpp_codegen_add((float)L_0, (float)L_1)), ((float)il2cpp_codegen_add((float)L_2, (float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_002a;
}
IL_002a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Subtraction(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)il2cpp_codegen_subtract((float)L_0, (float)L_1)), ((float)il2cpp_codegen_subtract((float)L_2, (float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_002a;
}
IL_002a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Multiply(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Multiply_mEDF9FDDF3BFFAEC997FBCDE5FA34871F2955E7C4 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), ((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_002a;
}
IL_002a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Division(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Division_mEF4FA1379564288637A7CF5E73BA30CA2259E591 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___b1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)((float)L_0/(float)L_1)), ((float)((float)L_2/(float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_002a;
}
IL_002a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Multiply(UnityEngine.Vector2,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Multiply_m8A843A37F2F3199EBE99DC7BDABC1DC2EE01AF56 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, float ___d1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = ___d1;
float L_2 = (&___a0)->get_y_1();
float L_3 = ___d1;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), ((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_001e;
}
IL_001e:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Division(UnityEngine.Vector2,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Division_m0961A935168EE6701E098E2B37013DFFF46A5077 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___a0, float ___d1, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = ___d1;
float L_2 = (&___a0)->get_y_1();
float L_3 = ___d1;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), ((float)((float)L_0/(float)L_1)), ((float)((float)L_2/(float)L_3)), /*hidden argument*/NULL);
V_0 = L_4;
goto IL_001e;
}
IL_001e:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5 = V_0;
return L_5;
}
}
// System.Boolean UnityEngine.Vector2::op_Equality(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_op_Equality_m0E86E1B1038DDB8554A8A0D58729A7788D989588 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lhs0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_op_Equality_m0E86E1B1038DDB8554A8A0D58729A7788D989588_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
bool V_1 = false;
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ___lhs0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = ___rhs1;
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2 = Vector2_op_Subtraction_m2B347E4311EDBBBF27573E34899D2492E6B063C0(L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
float L_3 = Vector2_get_sqrMagnitude_mAEE10A8ECE7D5754E10727BA8C9068A759AD7002((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&V_0), /*hidden argument*/NULL);
V_1 = (bool)((((float)L_3) < ((float)(9.99999944E-11f)))? 1 : 0);
goto IL_001d;
}
IL_001d:
{
bool L_4 = V_1;
return L_4;
}
}
// System.Boolean UnityEngine.Vector2::op_Inequality(UnityEngine.Vector2,UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR bool Vector2_op_Inequality_mC16161C640C89D98A00800924F83FF09FD7C100E (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lhs0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_op_Inequality_mC16161C640C89D98A00800924F83FF09FD7C100E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ___lhs0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = ___rhs1;
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
bool L_2 = Vector2_op_Equality_m0E86E1B1038DDB8554A8A0D58729A7788D989588(L_0, L_1, /*hidden argument*/NULL);
V_0 = (bool)((((int32_t)L_2) == ((int32_t)0))? 1 : 0);
goto IL_0011;
}
IL_0011:
{
bool L_3 = V_0;
return L_3;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::op_Implicit(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_op_Implicit_mEA1F75961E3D368418BA8CEB9C40E55C25BA3C28 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___v0, const RuntimeMethod* method)
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___v0)->get_x_2();
float L_1 = (&___v0)->get_y_3();
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2;
memset(&L_2, 0, sizeof(L_2));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_2), L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_001a;
}
IL_001a:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_3 = V_0;
return L_3;
}
}
// UnityEngine.Vector3 UnityEngine.Vector2::op_Implicit(UnityEngine.Vector2)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector2_op_Implicit_mD152B6A34B4DB7FFECC2844D74718568FE867D6F (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___v0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___v0)->get_x_0();
float L_1 = (&___v0)->get_y_1();
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_2;
memset(&L_2, 0, sizeof(L_2));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_2), L_0, L_1, (0.0f), /*hidden argument*/NULL);
V_0 = L_2;
goto IL_001f;
}
IL_001f:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_3 = V_0;
return L_3;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::get_zero()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_zero_mFE0C3213BB698130D6C5247AB4B887A59074D0A8 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_get_zero_mFE0C3213BB698130D6C5247AB4B887A59074D0A8_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->get_zeroVector_2();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::get_one()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_get_one_m6E01BE09CEA40781CB12CCB6AF33BBDA0F60CEED_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->get_oneVector_3();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::get_up()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_up_mC4548731D5E7C71164D18C390A1AC32501DAE441 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_get_up_mC4548731D5E7C71164D18C390A1AC32501DAE441_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->get_upVector_4();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector2 UnityEngine.Vector2::get_right()
extern "C" IL2CPP_METHOD_ATTR Vector2_tA85D2DD88578276CA8A8796756458277E72D073D Vector2_get_right_mB4BD67462D579461853F297C0DE85D81E07E911E (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2_get_right_mB4BD67462D579461853F297C0DE85D81E07E911E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0 = ((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->get_rightVector_7();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.Vector2::.cctor()
extern "C" IL2CPP_METHOD_ATTR void Vector2__cctor_m13D18E02B3AC28597F5049D2F54830C9E4BDBE84 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector2__cctor_m13D18E02B3AC28597F5049D2F54830C9E4BDBE84_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_0;
memset(&L_0, 0, sizeof(L_0));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_0), (0.0f), (0.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_zeroVector_2(L_0);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_1;
memset(&L_1, 0, sizeof(L_1));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_1), (1.0f), (1.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_oneVector_3(L_1);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2;
memset(&L_2, 0, sizeof(L_2));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_2), (0.0f), (1.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_upVector_4(L_2);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_3;
memset(&L_3, 0, sizeof(L_3));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_3), (0.0f), (-1.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_downVector_5(L_3);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_4;
memset(&L_4, 0, sizeof(L_4));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_4), (-1.0f), (0.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_leftVector_6(L_4);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_5;
memset(&L_5, 0, sizeof(L_5));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_5), (1.0f), (0.0f), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_rightVector_7(L_5);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6;
memset(&L_6, 0, sizeof(L_6));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_6), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_positiveInfinityVector_8(L_6);
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7;
memset(&L_7, 0, sizeof(L_7));
Vector2__ctor_mEE8FB117AB1F8DB746FB8B3EB4C0DA3BF2A230D0((&L_7), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields*)il2cpp_codegen_static_fields_for(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_il2cpp_TypeInfo_var))->set_negativeInfinityVector_9(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 UnityEngine.Vector3::.ctor(System.Single,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, float ___x0, float ___y1, float ___z2, const RuntimeMethod* method)
{
{
float L_0 = ___x0;
__this->set_x_2(L_0);
float L_1 = ___y1;
__this->set_y_3(L_1);
float L_2 = ___z2;
__this->set_z_4(L_2);
return;
}
}
extern "C" void Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1_AdjustorThunk (RuntimeObject * __this, float ___x0, float ___y1, float ___z2, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1(_thisAdjusted, ___x0, ___y1, ___z2, method);
}
// System.Void UnityEngine.Vector3::.ctor(System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3__ctor_m6AD8F21FFCC7723C6F507CCF2E4E2EFFC4871584 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, float ___x0, float ___y1, const RuntimeMethod* method)
{
{
float L_0 = ___x0;
__this->set_x_2(L_0);
float L_1 = ___y1;
__this->set_y_3(L_1);
__this->set_z_4((0.0f));
return;
}
}
extern "C" void Vector3__ctor_m6AD8F21FFCC7723C6F507CCF2E4E2EFFC4871584_AdjustorThunk (RuntimeObject * __this, float ___x0, float ___y1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
Vector3__ctor_m6AD8F21FFCC7723C6F507CCF2E4E2EFFC4871584(_thisAdjusted, ___x0, ___y1, method);
}
// UnityEngine.Vector3 UnityEngine.Vector3::Lerp(UnityEngine.Vector3,UnityEngine.Vector3,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_Lerp_m5BA75496B803820CC64079383956D73C6FD4A8A1 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___b1, float ___t2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Lerp_m5BA75496B803820CC64079383956D73C6FD4A8A1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = ___t2;
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_1 = Mathf_Clamp01_m1E5F736941A7E6DC4DBCA88A1E38FE9FBFE0C42B(L_0, /*hidden argument*/NULL);
___t2 = L_1;
float L_2 = (&___a0)->get_x_2();
float L_3 = (&___b1)->get_x_2();
float L_4 = (&___a0)->get_x_2();
float L_5 = ___t2;
float L_6 = (&___a0)->get_y_3();
float L_7 = (&___b1)->get_y_3();
float L_8 = (&___a0)->get_y_3();
float L_9 = ___t2;
float L_10 = (&___a0)->get_z_4();
float L_11 = (&___b1)->get_z_4();
float L_12 = (&___a0)->get_z_4();
float L_13 = ___t2;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_14;
memset(&L_14, 0, sizeof(L_14));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_14), ((float)il2cpp_codegen_add((float)L_2, (float)((float)il2cpp_codegen_multiply((float)((float)il2cpp_codegen_subtract((float)L_3, (float)L_4)), (float)L_5)))), ((float)il2cpp_codegen_add((float)L_6, (float)((float)il2cpp_codegen_multiply((float)((float)il2cpp_codegen_subtract((float)L_7, (float)L_8)), (float)L_9)))), ((float)il2cpp_codegen_add((float)L_10, (float)((float)il2cpp_codegen_multiply((float)((float)il2cpp_codegen_subtract((float)L_11, (float)L_12)), (float)L_13)))), /*hidden argument*/NULL);
V_0 = L_14;
goto IL_005f;
}
IL_005f:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_15 = V_0;
return L_15;
}
}
// System.Single UnityEngine.Vector3::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
int32_t L_0 = ___index0;
switch (L_0)
{
case 0:
{
goto IL_0018;
}
case 1:
{
goto IL_0024;
}
case 2:
{
goto IL_0030;
}
}
}
{
goto IL_003c;
}
IL_0018:
{
float L_1 = __this->get_x_2();
V_0 = L_1;
goto IL_0047;
}
IL_0024:
{
float L_2 = __this->get_y_3();
V_0 = L_2;
goto IL_0047;
}
IL_0030:
{
float L_3 = __this->get_z_4();
V_0 = L_3;
goto IL_0047;
}
IL_003c:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_4 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_4, _stringLiteralC0C83386C3CC8DC6C9E6A316F1CE50ECC1C09A2C, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6_RuntimeMethod_var);
}
IL_0047:
{
float L_5 = V_0;
return L_5;
}
}
extern "C" float Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_get_Item_mC3B9D35C070A91D7CA5C5B47280BD0EA3E148AC6(_thisAdjusted, ___index0, method);
}
// System.Void UnityEngine.Vector3::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = ___index0;
switch (L_0)
{
case 0:
{
goto IL_0018;
}
case 1:
{
goto IL_0024;
}
case 2:
{
goto IL_0030;
}
}
}
{
goto IL_003c;
}
IL_0018:
{
float L_1 = ___value1;
__this->set_x_2(L_1);
goto IL_0047;
}
IL_0024:
{
float L_2 = ___value1;
__this->set_y_3(L_2);
goto IL_0047;
}
IL_0030:
{
float L_3 = ___value1;
__this->set_z_4(L_3);
goto IL_0047;
}
IL_003c:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_4 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_4, _stringLiteralC0C83386C3CC8DC6C9E6A316F1CE50ECC1C09A2C, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6_RuntimeMethod_var);
}
IL_0047:
{
return;
}
}
extern "C" void Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
Vector3_set_Item_m89FF112CEC0D9ED43F1C4FE01522C75394B30AE6(_thisAdjusted, ___index0, ___value1, method);
}
// System.Int32 UnityEngine.Vector3::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
float* L_0 = __this->get_address_of_x_2();
int32_t L_1 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_0, /*hidden argument*/NULL);
float* L_2 = __this->get_address_of_y_3();
int32_t L_3 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_2, /*hidden argument*/NULL);
float* L_4 = __this->get_address_of_z_4();
int32_t L_5 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_4, /*hidden argument*/NULL);
V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_1^(int32_t)((int32_t)((int32_t)L_3<<(int32_t)2))))^(int32_t)((int32_t)((int32_t)L_5>>(int32_t)2))));
goto IL_0040;
}
IL_0040:
{
int32_t L_6 = V_0;
return L_6;
}
}
extern "C" int32_t Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B(_thisAdjusted, method);
}
// System.Boolean UnityEngine.Vector3::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
RuntimeObject * L_0 = ___other0;
if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var)))
{
goto IL_0013;
}
}
{
V_0 = (bool)0;
goto IL_0025;
}
IL_0013:
{
RuntimeObject * L_1 = ___other0;
bool L_2 = Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)__this, ((*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)UnBox(L_1, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var)))), /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0025;
}
IL_0025:
{
bool L_3 = V_0;
return L_3;
}
}
extern "C" bool Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_Equals_m1F74B1FB7EE51589FFFA61D894F616B8F258C056(_thisAdjusted, ___other0, method);
}
// System.Boolean UnityEngine.Vector3::Equals(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___other0, const RuntimeMethod* method)
{
bool V_0 = false;
int32_t G_B4_0 = 0;
{
float* L_0 = __this->get_address_of_x_2();
float L_1 = (&___other0)->get_x_2();
bool L_2 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_0, L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_0043;
}
}
{
float* L_3 = __this->get_address_of_y_3();
float L_4 = (&___other0)->get_y_3();
bool L_5 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_3, L_4, /*hidden argument*/NULL);
if (!L_5)
{
goto IL_0043;
}
}
{
float* L_6 = __this->get_address_of_z_4();
float L_7 = (&___other0)->get_z_4();
bool L_8 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_6, L_7, /*hidden argument*/NULL);
G_B4_0 = ((int32_t)(L_8));
goto IL_0044;
}
IL_0043:
{
G_B4_0 = 0;
}
IL_0044:
{
V_0 = (bool)G_B4_0;
goto IL_004a;
}
IL_004a:
{
bool L_9 = V_0;
return L_9;
}
}
extern "C" bool Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB_AdjustorThunk (RuntimeObject * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___other0, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB(_thisAdjusted, ___other0, method);
}
// UnityEngine.Vector3 UnityEngine.Vector3::Normalize(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_Normalize_mDEA51D0C131125535DA2B49B7281E0086ED583DC (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Normalize_mDEA51D0C131125535DA2B49B7281E0086ED583DC_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_1;
memset(&V_1, 0, sizeof(V_1));
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ___value0;
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
float L_1 = Vector3_Magnitude_m3958BE20951093E6B035C5F90493027063B39437(L_0, /*hidden argument*/NULL);
V_0 = L_1;
float L_2 = V_0;
if ((!(((float)L_2) > ((float)(1.0E-05f)))))
{
goto IL_0020;
}
}
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_3 = ___value0;
float L_4 = V_0;
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_5 = Vector3_op_Division_mDF34F1CC445981B4D1137765BC6277419E561624(L_3, L_4, /*hidden argument*/NULL);
V_1 = L_5;
goto IL_002b;
}
IL_0020:
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6 = Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2(/*hidden argument*/NULL);
V_1 = L_6;
goto IL_002b;
}
IL_002b:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = V_1;
return L_7;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_normalized()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = Vector3_Normalize_mDEA51D0C131125535DA2B49B7281E0086ED583DC((*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)__this), /*hidden argument*/NULL);
V_0 = L_0;
goto IL_0012;
}
IL_0012:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
extern "C" Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_get_normalized_mE20796F1D2D36244FACD4D14DADB245BE579849B(_thisAdjusted, method);
}
// System.Single UnityEngine.Vector3::Dot(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_Dot_m0C530E1C51278DE28B77906D56356506232272C1 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = (&___lhs0)->get_x_2();
float L_1 = (&___rhs1)->get_x_2();
float L_2 = (&___lhs0)->get_y_3();
float L_3 = (&___rhs1)->get_y_3();
float L_4 = (&___lhs0)->get_z_4();
float L_5 = (&___rhs1)->get_z_4();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5))));
goto IL_0036;
}
IL_0036:
{
float L_6 = V_0;
return L_6;
}
}
// System.Single UnityEngine.Vector3::Distance(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_Distance_mE316E10B9B319A5C2A29F86E028740FD528149E7 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___b1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Distance_mE316E10B9B319A5C2A29F86E028740FD528149E7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
float V_1 = 0.0f;
{
float L_0 = (&___a0)->get_x_2();
float L_1 = (&___b1)->get_x_2();
float L_2 = (&___a0)->get_y_3();
float L_3 = (&___b1)->get_y_3();
float L_4 = (&___a0)->get_z_4();
float L_5 = (&___b1)->get_z_4();
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&V_0), ((float)il2cpp_codegen_subtract((float)L_0, (float)L_1)), ((float)il2cpp_codegen_subtract((float)L_2, (float)L_3)), ((float)il2cpp_codegen_subtract((float)L_4, (float)L_5)), /*hidden argument*/NULL);
float L_6 = (&V_0)->get_x_2();
float L_7 = (&V_0)->get_x_2();
float L_8 = (&V_0)->get_y_3();
float L_9 = (&V_0)->get_y_3();
float L_10 = (&V_0)->get_z_4();
float L_11 = (&V_0)->get_z_4();
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_12 = sqrtf(((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_6, (float)L_7)), (float)((float)il2cpp_codegen_multiply((float)L_8, (float)L_9)))), (float)((float)il2cpp_codegen_multiply((float)L_10, (float)L_11)))));
V_1 = L_12;
goto IL_006f;
}
IL_006f:
{
float L_13 = V_1;
return L_13;
}
}
// System.Single UnityEngine.Vector3::Magnitude(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_Magnitude_m3958BE20951093E6B035C5F90493027063B39437 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___vector0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Magnitude_m3958BE20951093E6B035C5F90493027063B39437_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
float L_0 = (&___vector0)->get_x_2();
float L_1 = (&___vector0)->get_x_2();
float L_2 = (&___vector0)->get_y_3();
float L_3 = (&___vector0)->get_y_3();
float L_4 = (&___vector0)->get_z_4();
float L_5 = (&___vector0)->get_z_4();
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_6 = sqrtf(((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5)))));
V_0 = L_6;
goto IL_003b;
}
IL_003b:
{
float L_7 = V_0;
return L_7;
}
}
// System.Single UnityEngine.Vector3::get_magnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
float L_0 = __this->get_x_2();
float L_1 = __this->get_x_2();
float L_2 = __this->get_y_3();
float L_3 = __this->get_y_3();
float L_4 = __this->get_z_4();
float L_5 = __this->get_z_4();
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_6 = sqrtf(((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5)))));
V_0 = L_6;
goto IL_0035;
}
IL_0035:
{
float L_7 = V_0;
return L_7;
}
}
extern "C" float Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_get_magnitude_m9A750659B60C5FE0C30438A7F9681775D5DB1274(_thisAdjusted, method);
}
// System.Single UnityEngine.Vector3::SqrMagnitude(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR float Vector3_SqrMagnitude_mBE7ED92F28BBE09310975CDF329913C04EA9500E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___vector0, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = (&___vector0)->get_x_2();
float L_1 = (&___vector0)->get_x_2();
float L_2 = (&___vector0)->get_y_3();
float L_3 = (&___vector0)->get_y_3();
float L_4 = (&___vector0)->get_z_4();
float L_5 = (&___vector0)->get_z_4();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5))));
goto IL_0036;
}
IL_0036:
{
float L_6 = V_0;
return L_6;
}
}
// System.Single UnityEngine.Vector3::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector3_get_sqrMagnitude_m1C6E190B4A933A183B308736DEC0DD64B0588968 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = __this->get_x_2();
float L_1 = __this->get_x_2();
float L_2 = __this->get_y_3();
float L_3 = __this->get_y_3();
float L_4 = __this->get_z_4();
float L_5 = __this->get_z_4();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5))));
goto IL_0030;
}
IL_0030:
{
float L_6 = V_0;
return L_6;
}
}
extern "C" float Vector3_get_sqrMagnitude_m1C6E190B4A933A183B308736DEC0DD64B0588968_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_get_sqrMagnitude_m1C6E190B4A933A183B308736DEC0DD64B0588968(_thisAdjusted, method);
}
// UnityEngine.Vector3 UnityEngine.Vector3::Min(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_Min_m0D0997E6CDFF77E5177C8D4E0A21C592C63F747E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Min_m0D0997E6CDFF77E5177C8D4E0A21C592C63F747E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___lhs0)->get_x_2();
float L_1 = (&___rhs1)->get_x_2();
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_2 = Mathf_Min_mCF9BE0E9CAC9F18D207692BB2DAC7F3E1D4E1CB7(L_0, L_1, /*hidden argument*/NULL);
float L_3 = (&___lhs0)->get_y_3();
float L_4 = (&___rhs1)->get_y_3();
float L_5 = Mathf_Min_mCF9BE0E9CAC9F18D207692BB2DAC7F3E1D4E1CB7(L_3, L_4, /*hidden argument*/NULL);
float L_6 = (&___lhs0)->get_z_4();
float L_7 = (&___rhs1)->get_z_4();
float L_8 = Mathf_Min_mCF9BE0E9CAC9F18D207692BB2DAC7F3E1D4E1CB7(L_6, L_7, /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_9;
memset(&L_9, 0, sizeof(L_9));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_9), L_2, L_5, L_8, /*hidden argument*/NULL);
V_0 = L_9;
goto IL_0045;
}
IL_0045:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_10 = V_0;
return L_10;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::Max(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_Max_m78495079CA1E29B0658699B856AFF22E23180F36 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_Max_m78495079CA1E29B0658699B856AFF22E23180F36_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___lhs0)->get_x_2();
float L_1 = (&___rhs1)->get_x_2();
IL2CPP_RUNTIME_CLASS_INIT(Mathf_tFBDE6467D269BFE410605C7D806FD9991D4A89CB_il2cpp_TypeInfo_var);
float L_2 = Mathf_Max_m670AE0EC1B09ED1A56FF9606B0F954670319CB65(L_0, L_1, /*hidden argument*/NULL);
float L_3 = (&___lhs0)->get_y_3();
float L_4 = (&___rhs1)->get_y_3();
float L_5 = Mathf_Max_m670AE0EC1B09ED1A56FF9606B0F954670319CB65(L_3, L_4, /*hidden argument*/NULL);
float L_6 = (&___lhs0)->get_z_4();
float L_7 = (&___rhs1)->get_z_4();
float L_8 = Mathf_Max_m670AE0EC1B09ED1A56FF9606B0F954670319CB65(L_6, L_7, /*hidden argument*/NULL);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_9;
memset(&L_9, 0, sizeof(L_9));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_9), L_2, L_5, L_8, /*hidden argument*/NULL);
V_0 = L_9;
goto IL_0045;
}
IL_0045:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_10 = V_0;
return L_10;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_zero()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_zero_m3CDDCAE94581DF3BB16C4B40A100E28E9C6649C2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_zeroVector_5();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_one()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_one_mA11B83037CB269C6076CBCF754E24C8F3ACEC2AB (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_one_mA11B83037CB269C6076CBCF754E24C8F3ACEC2AB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_oneVector_6();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_forward()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_forward_m3E2E192B3302130098738C308FA1EE1439449D0D (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_forward_m3E2E192B3302130098738C308FA1EE1439449D0D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_forwardVector_11();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_back()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_back_mE7EF8625637E6F8B9E6B42A6AE140777C51E02F7 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_back_mE7EF8625637E6F8B9E6B42A6AE140777C51E02F7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_backVector_12();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_up()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_up_m6309EBC4E42D6D0B3D28056BD23D0331275306F7 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_up_m6309EBC4E42D6D0B3D28056BD23D0331275306F7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_upVector_7();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_down()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_down_m3F76A48E5B7C82B35EE047375538AFD91A305F55 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_down_m3F76A48E5B7C82B35EE047375538AFD91A305F55_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_downVector_8();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_left()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_left_m74B52D8CFD8C62138067B2EB6846B6E9E51B7C20 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_left_m74B52D8CFD8C62138067B2EB6846B6E9E51B7C20_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_leftVector_9();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::get_right()
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_get_right_m6DD9559CA0C75BBA42D9140021C4C2A9AAA9B3F5 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_get_right_m6DD9559CA0C75BBA42D9140021C4C2A9AAA9B3F5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->get_rightVector_10();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::op_Addition(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Addition_m929F9C17E5D11B94D50B4AFF1D730B70CB59B50E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___b1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_2();
float L_1 = (&___b1)->get_x_2();
float L_2 = (&___a0)->get_y_3();
float L_3 = (&___b1)->get_y_3();
float L_4 = (&___a0)->get_z_4();
float L_5 = (&___b1)->get_z_4();
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6;
memset(&L_6, 0, sizeof(L_6));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_6), ((float)il2cpp_codegen_add((float)L_0, (float)L_1)), ((float)il2cpp_codegen_add((float)L_2, (float)L_3)), ((float)il2cpp_codegen_add((float)L_4, (float)L_5)), /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0039;
}
IL_0039:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = V_0;
return L_7;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::op_Subtraction(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Subtraction_mF9846B723A5034F8B9F5F5DCB78E3D67649143D3 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___b1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_2();
float L_1 = (&___b1)->get_x_2();
float L_2 = (&___a0)->get_y_3();
float L_3 = (&___b1)->get_y_3();
float L_4 = (&___a0)->get_z_4();
float L_5 = (&___b1)->get_z_4();
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6;
memset(&L_6, 0, sizeof(L_6));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_6), ((float)il2cpp_codegen_subtract((float)L_0, (float)L_1)), ((float)il2cpp_codegen_subtract((float)L_2, (float)L_3)), ((float)il2cpp_codegen_subtract((float)L_4, (float)L_5)), /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0039;
}
IL_0039:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = V_0;
return L_7;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::op_Multiply(UnityEngine.Vector3,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Multiply_m1C5F07723615156ACF035D88A1280A9E8F35A04E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, float ___d1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_2();
float L_1 = ___d1;
float L_2 = (&___a0)->get_y_3();
float L_3 = ___d1;
float L_4 = (&___a0)->get_z_4();
float L_5 = ___d1;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6;
memset(&L_6, 0, sizeof(L_6));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_6), ((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), ((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)), ((float)il2cpp_codegen_multiply((float)L_4, (float)L_5)), /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0027;
}
IL_0027:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = V_0;
return L_7;
}
}
// UnityEngine.Vector3 UnityEngine.Vector3::op_Division(UnityEngine.Vector3,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 Vector3_op_Division_mDF34F1CC445981B4D1137765BC6277419E561624 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___a0, float ___d1, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_2();
float L_1 = ___d1;
float L_2 = (&___a0)->get_y_3();
float L_3 = ___d1;
float L_4 = (&___a0)->get_z_4();
float L_5 = ___d1;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6;
memset(&L_6, 0, sizeof(L_6));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_6), ((float)((float)L_0/(float)L_1)), ((float)((float)L_2/(float)L_3)), ((float)((float)L_4/(float)L_5)), /*hidden argument*/NULL);
V_0 = L_6;
goto IL_0027;
}
IL_0027:
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = V_0;
return L_7;
}
}
// System.Boolean UnityEngine.Vector3::op_Equality(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_op_Equality_mA9E2F96E98E71AE7ACCE74766D700D41F0404806 (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_op_Equality_mA9E2F96E98E71AE7ACCE74766D700D41F0404806_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ___lhs0;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = ___rhs1;
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_2 = Vector3_op_Subtraction_mF9846B723A5034F8B9F5F5DCB78E3D67649143D3(L_0, L_1, /*hidden argument*/NULL);
float L_3 = Vector3_SqrMagnitude_mBE7ED92F28BBE09310975CDF329913C04EA9500E(L_2, /*hidden argument*/NULL);
V_0 = (bool)((((float)L_3) < ((float)(9.99999944E-11f)))? 1 : 0);
goto IL_001a;
}
IL_001a:
{
bool L_4 = V_0;
return L_4;
}
}
// System.Boolean UnityEngine.Vector3::op_Inequality(UnityEngine.Vector3,UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR bool Vector3_op_Inequality_mFEEAA4C4BF743FB5B8A47FF4967A5E2C73273D6E (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___lhs0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_op_Inequality_mFEEAA4C4BF743FB5B8A47FF4967A5E2C73273D6E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0 = ___lhs0;
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1 = ___rhs1;
IL2CPP_RUNTIME_CLASS_INIT(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var);
bool L_2 = Vector3_op_Equality_mA9E2F96E98E71AE7ACCE74766D700D41F0404806(L_0, L_1, /*hidden argument*/NULL);
V_0 = (bool)((((int32_t)L_2) == ((int32_t)0))? 1 : 0);
goto IL_0011;
}
IL_0011:
{
bool L_3 = V_0;
return L_3;
}
}
// System.String UnityEngine.Vector3::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)3);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0;
float L_2 = __this->get_x_2();
float L_3 = L_2;
RuntimeObject * L_4 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_3);
NullCheck(L_1);
ArrayElementTypeCheck (L_1, L_4);
(L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = L_1;
float L_6 = __this->get_y_3();
float L_7 = L_6;
RuntimeObject * L_8 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_7);
NullCheck(L_5);
ArrayElementTypeCheck (L_5, L_8);
(L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = L_5;
float L_10 = __this->get_z_4();
float L_11 = L_10;
RuntimeObject * L_12 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_11);
NullCheck(L_9);
ArrayElementTypeCheck (L_9, L_12);
(L_9)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_12);
String_t* L_13 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387(_stringLiteral4933CA96CF0AAE548DADE4A62F9E8129B5F1CC51, L_9, /*hidden argument*/NULL);
V_0 = L_13;
goto IL_0041;
}
IL_0041:
{
String_t* L_14 = V_0;
return L_14;
}
}
extern "C" String_t* Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * _thisAdjusted = reinterpret_cast<Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *>(__this + 1);
return Vector3_ToString_m2682D27AB50CD1CE4677C38D0720A302D582348D(_thisAdjusted, method);
}
// System.Void UnityEngine.Vector3::.cctor()
extern "C" IL2CPP_METHOD_ATTR void Vector3__cctor_m83F3F89A8A8AFDBB54273660ABCA2E5AE1EAFDBD (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector3__cctor_m83F3F89A8A8AFDBB54273660ABCA2E5AE1EAFDBD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_0;
memset(&L_0, 0, sizeof(L_0));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_0), (0.0f), (0.0f), (0.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_zeroVector_5(L_0);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_1;
memset(&L_1, 0, sizeof(L_1));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_1), (1.0f), (1.0f), (1.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_oneVector_6(L_1);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_2;
memset(&L_2, 0, sizeof(L_2));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_2), (0.0f), (1.0f), (0.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_upVector_7(L_2);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_3;
memset(&L_3, 0, sizeof(L_3));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_3), (0.0f), (-1.0f), (0.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_downVector_8(L_3);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_4;
memset(&L_4, 0, sizeof(L_4));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_4), (-1.0f), (0.0f), (0.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_leftVector_9(L_4);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_5;
memset(&L_5, 0, sizeof(L_5));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_5), (1.0f), (0.0f), (0.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_rightVector_10(L_5);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6;
memset(&L_6, 0, sizeof(L_6));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_6), (0.0f), (0.0f), (1.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_forwardVector_11(L_6);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7;
memset(&L_7, 0, sizeof(L_7));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_7), (0.0f), (0.0f), (-1.0f), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_backVector_12(L_7);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_8;
memset(&L_8, 0, sizeof(L_8));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_8), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_positiveInfinityVector_13(L_8);
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_9;
memset(&L_9, 0, sizeof(L_9));
Vector3__ctor_m08F61F548AA5836D8789843ACB4A81E4963D2EE1((&L_9), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields*)il2cpp_codegen_static_fields_for(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_il2cpp_TypeInfo_var))->set_negativeInfinityVector_14(L_9);
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 UnityEngine.Vector4::.ctor(System.Single,System.Single,System.Single,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, float ___x0, float ___y1, float ___z2, float ___w3, const RuntimeMethod* method)
{
{
float L_0 = ___x0;
__this->set_x_0(L_0);
float L_1 = ___y1;
__this->set_y_1(L_1);
float L_2 = ___z2;
__this->set_z_2(L_2);
float L_3 = ___w3;
__this->set_w_3(L_3);
return;
}
}
extern "C" void Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D_AdjustorThunk (RuntimeObject * __this, float ___x0, float ___y1, float ___z2, float ___w3, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D(_thisAdjusted, ___x0, ___y1, ___z2, ___w3, method);
}
// System.Single UnityEngine.Vector4::get_Item(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
int32_t L_0 = ___index0;
switch (L_0)
{
case 0:
{
goto IL_001c;
}
case 1:
{
goto IL_0028;
}
case 2:
{
goto IL_0034;
}
case 3:
{
goto IL_0040;
}
}
}
{
goto IL_004c;
}
IL_001c:
{
float L_1 = __this->get_x_0();
V_0 = L_1;
goto IL_0057;
}
IL_0028:
{
float L_2 = __this->get_y_1();
V_0 = L_2;
goto IL_0057;
}
IL_0034:
{
float L_3 = __this->get_z_2();
V_0 = L_3;
goto IL_0057;
}
IL_0040:
{
float L_4 = __this->get_w_3();
V_0 = L_4;
goto IL_0057;
}
IL_004c:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_5 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_5, _stringLiteral890F52A3297E6020D62E0582519A9EA5B7A9ECF1, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98_RuntimeMethod_var);
}
IL_0057:
{
float L_6 = V_0;
return L_6;
}
}
extern "C" float Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_get_Item_m39878FDA732B20347BB37CD1485560E9267EDC98(_thisAdjusted, ___index0, method);
}
// System.Void UnityEngine.Vector4::set_Item(System.Int32,System.Single)
extern "C" IL2CPP_METHOD_ATTR void Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = ___index0;
switch (L_0)
{
case 0:
{
goto IL_001c;
}
case 1:
{
goto IL_0028;
}
case 2:
{
goto IL_0034;
}
case 3:
{
goto IL_0040;
}
}
}
{
goto IL_004c;
}
IL_001c:
{
float L_1 = ___value1;
__this->set_x_0(L_1);
goto IL_0057;
}
IL_0028:
{
float L_2 = ___value1;
__this->set_y_1(L_2);
goto IL_0057;
}
IL_0034:
{
float L_3 = ___value1;
__this->set_z_2(L_3);
goto IL_0057;
}
IL_0040:
{
float L_4 = ___value1;
__this->set_w_3(L_4);
goto IL_0057;
}
IL_004c:
{
IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF * L_5 = (IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF *)il2cpp_codegen_object_new(IndexOutOfRangeException_tEC7665FC66525AB6A6916A7EB505E5591683F0CF_il2cpp_TypeInfo_var);
IndexOutOfRangeException__ctor_mCCE2EFF47A0ACB4B2636F63140F94FCEA71A9BCA(L_5, _stringLiteral890F52A3297E6020D62E0582519A9EA5B7A9ECF1, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45_RuntimeMethod_var);
}
IL_0057:
{
return;
}
}
extern "C" void Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45_AdjustorThunk (RuntimeObject * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
Vector4_set_Item_m56FB3A149299FEF1C0CF638CFAF71C7F0685EE45(_thisAdjusted, ___index0, ___value1, method);
}
// System.Int32 UnityEngine.Vector4::GetHashCode()
extern "C" IL2CPP_METHOD_ATTR int32_t Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
float* L_0 = __this->get_address_of_x_0();
int32_t L_1 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_0, /*hidden argument*/NULL);
float* L_2 = __this->get_address_of_y_1();
int32_t L_3 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_2, /*hidden argument*/NULL);
float* L_4 = __this->get_address_of_z_2();
int32_t L_5 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_4, /*hidden argument*/NULL);
float* L_6 = __this->get_address_of_w_3();
int32_t L_7 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)L_6, /*hidden argument*/NULL);
V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_1^(int32_t)((int32_t)((int32_t)L_3<<(int32_t)2))))^(int32_t)((int32_t)((int32_t)L_5>>(int32_t)2))))^(int32_t)((int32_t)((int32_t)L_7>>(int32_t)1))));
goto IL_0054;
}
IL_0054:
{
int32_t L_8 = V_0;
return L_8;
}
}
extern "C" int32_t Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E(_thisAdjusted, method);
}
// System.Boolean UnityEngine.Vector4::Equals(System.Object)
extern "C" IL2CPP_METHOD_ATTR bool Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
RuntimeObject * L_0 = ___other0;
if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var)))
{
goto IL_0013;
}
}
{
V_0 = (bool)0;
goto IL_0025;
}
IL_0013:
{
RuntimeObject * L_1 = ___other0;
bool L_2 = Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)__this, ((*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)UnBox(L_1, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var)))), /*hidden argument*/NULL);
V_0 = L_2;
goto IL_0025;
}
IL_0025:
{
bool L_3 = V_0;
return L_3;
}
}
extern "C" bool Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_Equals_m552ECA9ECD220D6526D8ECC9902016B6FC6D49B5(_thisAdjusted, ___other0, method);
}
// System.Boolean UnityEngine.Vector4::Equals(UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR bool Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___other0, const RuntimeMethod* method)
{
bool V_0 = false;
int32_t G_B5_0 = 0;
{
float* L_0 = __this->get_address_of_x_0();
float L_1 = (&___other0)->get_x_0();
bool L_2 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_0, L_1, /*hidden argument*/NULL);
if (!L_2)
{
goto IL_005a;
}
}
{
float* L_3 = __this->get_address_of_y_1();
float L_4 = (&___other0)->get_y_1();
bool L_5 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_3, L_4, /*hidden argument*/NULL);
if (!L_5)
{
goto IL_005a;
}
}
{
float* L_6 = __this->get_address_of_z_2();
float L_7 = (&___other0)->get_z_2();
bool L_8 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_6, L_7, /*hidden argument*/NULL);
if (!L_8)
{
goto IL_005a;
}
}
{
float* L_9 = __this->get_address_of_w_3();
float L_10 = (&___other0)->get_w_3();
bool L_11 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)L_9, L_10, /*hidden argument*/NULL);
G_B5_0 = ((int32_t)(L_11));
goto IL_005b;
}
IL_005a:
{
G_B5_0 = 0;
}
IL_005b:
{
V_0 = (bool)G_B5_0;
goto IL_0061;
}
IL_0061:
{
bool L_12 = V_0;
return L_12;
}
}
extern "C" bool Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF_AdjustorThunk (RuntimeObject * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___other0, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF(_thisAdjusted, ___other0, method);
}
// System.Single UnityEngine.Vector4::Dot(UnityEngine.Vector4,UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR float Vector4_Dot_m9FAE8FE89CF99841AD8D2113DFCDB8764F9FBB18 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___b1, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
float L_4 = (&___a0)->get_z_2();
float L_5 = (&___b1)->get_z_2();
float L_6 = (&___a0)->get_w_3();
float L_7 = (&___b1)->get_w_3();
V_0 = ((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_add((float)((float)il2cpp_codegen_multiply((float)L_0, (float)L_1)), (float)((float)il2cpp_codegen_multiply((float)L_2, (float)L_3)))), (float)((float)il2cpp_codegen_multiply((float)L_4, (float)L_5)))), (float)((float)il2cpp_codegen_multiply((float)L_6, (float)L_7))));
goto IL_0046;
}
IL_0046:
{
float L_8 = V_0;
return L_8;
}
}
// System.Single UnityEngine.Vector4::get_sqrMagnitude()
extern "C" IL2CPP_METHOD_ATTR float Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
IL2CPP_RUNTIME_CLASS_INIT(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var);
float L_0 = Vector4_Dot_m9FAE8FE89CF99841AD8D2113DFCDB8764F9FBB18((*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)__this), (*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)__this), /*hidden argument*/NULL);
V_0 = L_0;
goto IL_0018;
}
IL_0018:
{
float L_1 = V_0;
return L_1;
}
}
extern "C" float Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_get_sqrMagnitude_m6B2707CBD31D237605D066A5925E6419D28B5397(_thisAdjusted, method);
}
// UnityEngine.Vector4 UnityEngine.Vector4::get_zero()
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Vector4_get_zero_m42821248DDFA4F9A3E0B2E84CBCB737BE9DCE3E9 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_get_zero_m42821248DDFA4F9A3E0B2E84CBCB737BE9DCE3E9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
IL2CPP_RUNTIME_CLASS_INIT(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = ((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields*)il2cpp_codegen_static_fields_for(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var))->get_zeroVector_4();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = V_0;
return L_1;
}
}
// UnityEngine.Vector4 UnityEngine.Vector4::op_Subtraction(UnityEngine.Vector4,UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Vector4_op_Subtraction_m2D5AED6DD0324E479548A9346AE29DAB489A8250 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___b1, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = (&___b1)->get_x_0();
float L_2 = (&___a0)->get_y_1();
float L_3 = (&___b1)->get_y_1();
float L_4 = (&___a0)->get_z_2();
float L_5 = (&___b1)->get_z_2();
float L_6 = (&___a0)->get_w_3();
float L_7 = (&___b1)->get_w_3();
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_8;
memset(&L_8, 0, sizeof(L_8));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_8), ((float)il2cpp_codegen_subtract((float)L_0, (float)L_1)), ((float)il2cpp_codegen_subtract((float)L_2, (float)L_3)), ((float)il2cpp_codegen_subtract((float)L_4, (float)L_5)), ((float)il2cpp_codegen_subtract((float)L_6, (float)L_7)), /*hidden argument*/NULL);
V_0 = L_8;
goto IL_0048;
}
IL_0048:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_9 = V_0;
return L_9;
}
}
// UnityEngine.Vector4 UnityEngine.Vector4::op_Division(UnityEngine.Vector4,System.Single)
extern "C" IL2CPP_METHOD_ATTR Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E Vector4_op_Division_m1D1BD7FFEF0CDBB7CE063CA139C22210A0B76689 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, float ___d1, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E V_0;
memset(&V_0, 0, sizeof(V_0));
{
float L_0 = (&___a0)->get_x_0();
float L_1 = ___d1;
float L_2 = (&___a0)->get_y_1();
float L_3 = ___d1;
float L_4 = (&___a0)->get_z_2();
float L_5 = ___d1;
float L_6 = (&___a0)->get_w_3();
float L_7 = ___d1;
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_8;
memset(&L_8, 0, sizeof(L_8));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_8), ((float)((float)L_0/(float)L_1)), ((float)((float)L_2/(float)L_3)), ((float)((float)L_4/(float)L_5)), ((float)((float)L_6/(float)L_7)), /*hidden argument*/NULL);
V_0 = L_8;
goto IL_0030;
}
IL_0030:
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_9 = V_0;
return L_9;
}
}
// System.Boolean UnityEngine.Vector4::op_Equality(UnityEngine.Vector4,UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR bool Vector4_op_Equality_m9AE0D09EC7E02201F94AE469ADE9F416D0E20441 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___lhs0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___rhs1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_op_Equality_m9AE0D09EC7E02201F94AE469ADE9F416D0E20441_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = ___lhs0;
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = ___rhs1;
IL2CPP_RUNTIME_CLASS_INIT(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2 = Vector4_op_Subtraction_m2D5AED6DD0324E479548A9346AE29DAB489A8250(L_0, L_1, /*hidden argument*/NULL);
float L_3 = Vector4_SqrMagnitude_mC2577C7119B10D3211BEF8BD3D8C0736274D1C10(L_2, /*hidden argument*/NULL);
V_0 = (bool)((((float)L_3) < ((float)(9.99999944E-11f)))? 1 : 0);
goto IL_001a;
}
IL_001a:
{
bool L_4 = V_0;
return L_4;
}
}
// System.String UnityEngine.Vector4::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* V_0 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = L_0;
float L_2 = __this->get_x_0();
float L_3 = L_2;
RuntimeObject * L_4 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_3);
NullCheck(L_1);
ArrayElementTypeCheck (L_1, L_4);
(L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = L_1;
float L_6 = __this->get_y_1();
float L_7 = L_6;
RuntimeObject * L_8 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_7);
NullCheck(L_5);
ArrayElementTypeCheck (L_5, L_8);
(L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = L_5;
float L_10 = __this->get_z_2();
float L_11 = L_10;
RuntimeObject * L_12 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_11);
NullCheck(L_9);
ArrayElementTypeCheck (L_9, L_12);
(L_9)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_12);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = L_9;
float L_14 = __this->get_w_3();
float L_15 = L_14;
RuntimeObject * L_16 = Box(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_il2cpp_TypeInfo_var, &L_15);
NullCheck(L_13);
ArrayElementTypeCheck (L_13, L_16);
(L_13)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)L_16);
String_t* L_17 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387(_stringLiteralB29BEC3A893F5759BD9E96C91C9F612E3591BE59, L_13, /*hidden argument*/NULL);
V_0 = L_17;
goto IL_004f;
}
IL_004f:
{
String_t* L_18 = V_0;
return L_18;
}
}
extern "C" String_t* Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method)
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * _thisAdjusted = reinterpret_cast<Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *>(__this + 1);
return Vector4_ToString_m769402E3F7CBD6C92464D916527CC87BBBA53EF9(_thisAdjusted, method);
}
// System.Single UnityEngine.Vector4::SqrMagnitude(UnityEngine.Vector4)
extern "C" IL2CPP_METHOD_ATTR float Vector4_SqrMagnitude_mC2577C7119B10D3211BEF8BD3D8C0736274D1C10 (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___a0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4_SqrMagnitude_mC2577C7119B10D3211BEF8BD3D8C0736274D1C10_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0 = ___a0;
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1 = ___a0;
IL2CPP_RUNTIME_CLASS_INIT(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var);
float L_2 = Vector4_Dot_m9FAE8FE89CF99841AD8D2113DFCDB8764F9FBB18(L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_000e;
}
IL_000e:
{
float L_3 = V_0;
return L_3;
}
}
// System.Void UnityEngine.Vector4::.cctor()
extern "C" IL2CPP_METHOD_ATTR void Vector4__cctor_m478FA6A83B8E23F8323F150FF90B1FB934B1C251 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Vector4__cctor_m478FA6A83B8E23F8323F150FF90B1FB934B1C251_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_0;
memset(&L_0, 0, sizeof(L_0));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_0), (0.0f), (0.0f), (0.0f), (0.0f), /*hidden argument*/NULL);
((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields*)il2cpp_codegen_static_fields_for(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var))->set_zeroVector_4(L_0);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_1;
memset(&L_1, 0, sizeof(L_1));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_1), (1.0f), (1.0f), (1.0f), (1.0f), /*hidden argument*/NULL);
((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields*)il2cpp_codegen_static_fields_for(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var))->set_oneVector_5(L_1);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2;
memset(&L_2, 0, sizeof(L_2));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_2), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), (std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields*)il2cpp_codegen_static_fields_for(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var))->set_positiveInfinityVector_6(L_2);
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_3;
memset(&L_3, 0, sizeof(L_3));
Vector4__ctor_m545458525879607A5392A10B175D0C19B2BC715D((&L_3), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), (-std::numeric_limits<float>::infinity()), /*hidden argument*/NULL);
((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields*)il2cpp_codegen_static_fields_for(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_il2cpp_TypeInfo_var))->set_negativeInfinityVector_7(L_3);
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 UnityEngine.WaitForEndOfFrame::.ctor()
extern "C" IL2CPP_METHOD_ATTR void WaitForEndOfFrame__ctor_m6CDB79476A4A84CEC62947D36ADED96E907BA20B (WaitForEndOfFrame_t75980FB3F246D6AD36A85CA2BFDF8474E5EEBCCA * __this, const RuntimeMethod* method)
{
{
YieldInstruction__ctor_mA72AD367FB081E0C2493649C6E8F7CFC592AB620(__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
#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: UnityEngine.WaitForSeconds
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_pinvoke(const WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8& unmarshaled, WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_pinvoke& marshaled)
{
marshaled.___m_Seconds_0 = unmarshaled.get_m_Seconds_0();
}
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_pinvoke_back(const WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_pinvoke& marshaled, WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8& unmarshaled)
{
float unmarshaled_m_Seconds_temp_0 = 0.0f;
unmarshaled_m_Seconds_temp_0 = marshaled.___m_Seconds_0;
unmarshaled.set_m_Seconds_0(unmarshaled_m_Seconds_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.WaitForSeconds
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_pinvoke_cleanup(WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.WaitForSeconds
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_com(const WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8& unmarshaled, WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_com& marshaled)
{
marshaled.___m_Seconds_0 = unmarshaled.get_m_Seconds_0();
}
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_com_back(const WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_com& marshaled, WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8& unmarshaled)
{
float unmarshaled_m_Seconds_temp_0 = 0.0f;
unmarshaled_m_Seconds_temp_0 = marshaled.___m_Seconds_0;
unmarshaled.set_m_Seconds_0(unmarshaled_m_Seconds_temp_0);
}
// Conversion method for clean up from marshalling of: UnityEngine.WaitForSeconds
extern "C" void WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshal_com_cleanup(WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8_marshaled_com& marshaled)
{
}
// System.Void UnityEngine.WaitForSeconds::.ctor(System.Single)
extern "C" IL2CPP_METHOD_ATTR void WaitForSeconds__ctor_m8E4BA3E27AEFFE5B74A815F26FF8AAB99743F559 (WaitForSeconds_t3E9E78D3BB53F03F96C7F28BA9B9086CD1A5F4E8 * __this, float ___seconds0, const RuntimeMethod* method)
{
{
YieldInstruction__ctor_mA72AD367FB081E0C2493649C6E8F7CFC592AB620(__this, /*hidden argument*/NULL);
float L_0 = ___seconds0;
__this->set_m_Seconds_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 UnityEngine.WaitForSecondsRealtime::.ctor(System.Single)
extern "C" IL2CPP_METHOD_ATTR void WaitForSecondsRealtime__ctor_m775503EC1F4963D8E5BBDD7989B40F6A000E0525 (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, float ___time0, const RuntimeMethod* method)
{
{
__this->set_m_WaitUntilTime_1((-1.0f));
CustomYieldInstruction__ctor_m06E2B5BC73763FE2E734FAA600D567701EA21EC5(__this, /*hidden argument*/NULL);
float L_0 = ___time0;
WaitForSecondsRealtime_set_waitTime_m867F4482BEE354E33A6FD9191344D74B9CC8C790(__this, L_0, /*hidden argument*/NULL);
return;
}
}
// System.Single UnityEngine.WaitForSecondsRealtime::get_waitTime()
extern "C" IL2CPP_METHOD_ATTR float WaitForSecondsRealtime_get_waitTime_m6D1B0EDEAFA3DBBBFE1A0CC2D372BAB8EA82E2FB (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, const RuntimeMethod* method)
{
float V_0 = 0.0f;
{
float L_0 = __this->get_U3CwaitTimeU3Ek__BackingField_0();
V_0 = L_0;
goto IL_000c;
}
IL_000c:
{
float L_1 = V_0;
return L_1;
}
}
// System.Void UnityEngine.WaitForSecondsRealtime::set_waitTime(System.Single)
extern "C" IL2CPP_METHOD_ATTR void WaitForSecondsRealtime_set_waitTime_m867F4482BEE354E33A6FD9191344D74B9CC8C790 (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, float ___value0, const RuntimeMethod* method)
{
{
float L_0 = ___value0;
__this->set_U3CwaitTimeU3Ek__BackingField_0(L_0);
return;
}
}
// System.Boolean UnityEngine.WaitForSecondsRealtime::get_keepWaiting()
extern "C" IL2CPP_METHOD_ATTR bool WaitForSecondsRealtime_get_keepWaiting_mC257FFC53D5734250B919A8B6BE460A6D8A7CD99 (WaitForSecondsRealtime_t0CF361107C4A9E25E0D4CF2F37732CE785235739 * __this, const RuntimeMethod* method)
{
bool V_0 = false;
bool V_1 = false;
{
float L_0 = __this->get_m_WaitUntilTime_1();
if ((!(((float)L_0) < ((float)(0.0f)))))
{
goto IL_0025;
}
}
{
float L_1 = Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03(/*hidden argument*/NULL);
float L_2 = WaitForSecondsRealtime_get_waitTime_m6D1B0EDEAFA3DBBBFE1A0CC2D372BAB8EA82E2FB(__this, /*hidden argument*/NULL);
__this->set_m_WaitUntilTime_1(((float)il2cpp_codegen_add((float)L_1, (float)L_2)));
}
IL_0025:
{
float L_3 = Time_get_realtimeSinceStartup_mCA1086EC9DFCF135F77BC46D3B7127711EA3DE03(/*hidden argument*/NULL);
float L_4 = __this->get_m_WaitUntilTime_1();
V_0 = (bool)((((float)L_3) < ((float)L_4))? 1 : 0);
bool L_5 = V_0;
if (L_5)
{
goto IL_0046;
}
}
{
__this->set_m_WaitUntilTime_1((-1.0f));
}
IL_0046:
{
bool L_6 = V_0;
V_1 = L_6;
goto IL_004d;
}
IL_004d:
{
bool L_7 = V_1;
return L_7;
}
}
#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: UnityEngine.YieldInstruction
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_pinvoke(const YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44& unmarshaled, YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke& marshaled)
{
}
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_pinvoke_back(const YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke& marshaled, YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44& unmarshaled)
{
}
// Conversion method for clean up from marshalling of: UnityEngine.YieldInstruction
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_pinvoke_cleanup(YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_pinvoke& marshaled)
{
}
// Conversion methods for marshalling of: UnityEngine.YieldInstruction
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_com(const YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44& unmarshaled, YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com& marshaled)
{
}
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_com_back(const YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com& marshaled, YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44& unmarshaled)
{
}
// Conversion method for clean up from marshalling of: UnityEngine.YieldInstruction
extern "C" void YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshal_com_cleanup(YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44_marshaled_com& marshaled)
{
}
// System.Void UnityEngine.YieldInstruction::.ctor()
extern "C" IL2CPP_METHOD_ATTR void YieldInstruction__ctor_mA72AD367FB081E0C2493649C6E8F7CFC592AB620 (YieldInstruction_t836035AC7BD07A3C7909F7AD2A5B42DE99D91C44 * __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 UnityEngine.iOS.LocalNotification::Finalize()
extern "C" IL2CPP_METHOD_ATTR void LocalNotification_Finalize_m3B080FBFB1E51F3C5570B6097958CFA834A0594B (LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F * __this, const RuntimeMethod* method)
{
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
}
IL_0001:
try
{ // begin try (depth: 1)
intptr_t L_0 = __this->get_m_Ptr_0();
NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C((intptr_t)L_0, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x18, FINALLY_0011);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0011;
}
FINALLY_0011:
{ // begin finally (depth: 1)
Object_Finalize_m4015B7D3A44DE125C5FE34D7276CD4697C06F380(__this, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x18);
IL2CPP_END_FINALLY(17)
} // end finally (depth: 1)
IL2CPP_CLEANUP(17)
{
IL2CPP_JUMP_TBL(0x18, IL_0018)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0018:
{
return;
}
}
// System.Void UnityEngine.iOS.LocalNotification::.cctor()
extern "C" IL2CPP_METHOD_ATTR void LocalNotification__cctor_m9E47ADEC8F786289F7C94ACC65A44C318FF59685 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (LocalNotification__cctor_m9E47ADEC8F786289F7C94ACC65A44C318FF59685_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0;
memset(&V_0, 0, sizeof(V_0));
{
DateTime__ctor_mC9FEFEECD786FDE2648567E114C71A4A468A65FE((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), ((int32_t)2001), 1, 1, 0, 0, 0, 1, /*hidden argument*/NULL);
int64_t L_0 = DateTime_get_Ticks_mBCB529E43D065E498EAF08971D2EB49D5CB59D60((DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0), /*hidden argument*/NULL);
((LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_StaticFields*)il2cpp_codegen_static_fields_for(LocalNotification_tCA79CA9F746F4B3A8F3F0A40BB4AB2FAD7D3238F_il2cpp_TypeInfo_var))->set_m_NSReferenceDateTicks_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
// System.Void UnityEngine.iOS.NotificationHelper::DestroyLocal(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C (intptr_t ___target0, const RuntimeMethod* method)
{
typedef void (*NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C_ftn) (intptr_t);
static NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (NotificationHelper_DestroyLocal_m31A83960AAC3E5D3C5AF4B945B6F51E890E15E6C_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.iOS.NotificationHelper::DestroyLocal(System.IntPtr)");
_il2cpp_icall_func(___target0);
}
// System.Void UnityEngine.iOS.NotificationHelper::DestroyRemote(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79 (intptr_t ___target0, const RuntimeMethod* method)
{
typedef void (*NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79_ftn) (intptr_t);
static NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.iOS.NotificationHelper::DestroyRemote(System.IntPtr)");
_il2cpp_icall_func(___target0);
}
#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 UnityEngine.iOS.RemoteNotification::Finalize()
extern "C" IL2CPP_METHOD_ATTR void RemoteNotification_Finalize_m4D3F34A965DDE64EEC2F3AC3AC1750AED0CE1C2F (RemoteNotification_tE0413FADC666D8ECDE70A365F41A784002106061 * __this, const RuntimeMethod* method)
{
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
}
IL_0001:
try
{ // begin try (depth: 1)
intptr_t L_0 = __this->get_m_Ptr_0();
NotificationHelper_DestroyRemote_m8DC26FA325608161850486E8F4BF16B67EF90E79((intptr_t)L_0, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x18, FINALLY_0011);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0011;
}
FINALLY_0011:
{ // begin finally (depth: 1)
Object_Finalize_m4015B7D3A44DE125C5FE34D7276CD4697C06F380(__this, /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x18);
IL2CPP_END_FINALLY(17)
} // end finally (depth: 1)
IL2CPP_CLEANUP(17)
{
IL2CPP_JUMP_TBL(0x18, IL_0018)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0018:
{
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 UnityEngineInternal.GenericStack::.ctor()
extern "C" IL2CPP_METHOD_ATTR void GenericStack__ctor_m0659B84DB6B093AF1F01F566686C510DDEEAE848 (GenericStack_tC59D21E8DBC50F3C608479C942200AC44CA2D5BC * __this, const RuntimeMethod* method)
{
{
Stack__ctor_m98F99FFBF373762F139506711349267D5354FE08(__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 UnityEngineInternal.MathfInternal::.cctor()
extern "C" IL2CPP_METHOD_ATTR void MathfInternal__cctor_m885D4921B8E928763E7ABB4466659665780F860F (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (MathfInternal__cctor_m885D4921B8E928763E7ABB4466659665780F860F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
il2cpp_codegen_memory_barrier();
((MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields*)il2cpp_codegen_static_fields_for(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_il2cpp_TypeInfo_var))->set_FloatMinNormal_0((1.17549435E-38f));
il2cpp_codegen_memory_barrier();
((MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields*)il2cpp_codegen_static_fields_for(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_il2cpp_TypeInfo_var))->set_FloatMinDenormal_1((1.401298E-45f));
((MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_StaticFields*)il2cpp_codegen_static_fields_for(MathfInternal_t3E913BDEA2E88DF117AEBE6A099B5922A78A1693_il2cpp_TypeInfo_var))->set_IsFlushToZeroEnabled_2((bool)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.Delegate UnityEngineInternal.NetFxCoreExtensions::CreateDelegate(System.Reflection.MethodInfo,System.Type,System.Object)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * NetFxCoreExtensions_CreateDelegate_m8FD387039F907982CB716046CB4501160B16D381 (MethodInfo_t * ___self0, Type_t * ___delegateType1, RuntimeObject * ___target2, const RuntimeMethod* method)
{
Delegate_t * V_0 = NULL;
{
Type_t * L_0 = ___delegateType1;
RuntimeObject * L_1 = ___target2;
MethodInfo_t * L_2 = ___self0;
Delegate_t * L_3 = Delegate_CreateDelegate_m3A012C4DD077BAD1698B11602174E167F7B9D346(L_0, L_1, L_2, /*hidden argument*/NULL);
V_0 = L_3;
goto IL_000f;
}
IL_000f:
{
Delegate_t * L_4 = V_0;
return L_4;
}
}
// System.Reflection.MethodInfo UnityEngineInternal.NetFxCoreExtensions::GetMethodInfo(System.Delegate)
extern "C" IL2CPP_METHOD_ATTR MethodInfo_t * NetFxCoreExtensions_GetMethodInfo_m648EA8E13DAFFCBF92AA46F62AF5124386A905A0 (Delegate_t * ___self0, const RuntimeMethod* method)
{
MethodInfo_t * V_0 = NULL;
{
Delegate_t * L_0 = ___self0;
NullCheck(L_0);
MethodInfo_t * L_1 = Delegate_get_Method_m0AC85D2B0C4CA63C471BC37FFDC3A5EA1E8ED048(L_0, /*hidden argument*/NULL);
V_0 = L_1;
goto IL_000d;
}
IL_000d:
{
MethodInfo_t * L_2 = V_0;
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.Delegate UnityEngineInternal.ScriptingUtils::CreateDelegate(System.Type,System.Reflection.MethodInfo)
extern "C" IL2CPP_METHOD_ATTR Delegate_t * ScriptingUtils_CreateDelegate_m39ACEF00FC1B3EEDD481DB66250804E4DEBBCBEC (Type_t * ___type0, MethodInfo_t * ___methodInfo1, const RuntimeMethod* method)
{
Delegate_t * V_0 = NULL;
{
Type_t * L_0 = ___type0;
MethodInfo_t * L_1 = ___methodInfo1;
Delegate_t * L_2 = Delegate_CreateDelegate_mD7C5EDDB32C63A9BD9DE43AC879AFF4EBC6641D1(L_0, L_1, /*hidden argument*/NULL);
V_0 = L_2;
goto IL_000e;
}
IL_000e:
{
Delegate_t * L_3 = V_0;
return L_3;
}
}
#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 UnityEngineInternal.TypeInferenceRuleAttribute::.ctor(UnityEngineInternal.TypeInferenceRules)
extern "C" IL2CPP_METHOD_ATTR void TypeInferenceRuleAttribute__ctor_m389751AED6740F401AC8DFACD5914C13AB24D8A6 (TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B * __this, int32_t ___rule0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TypeInferenceRuleAttribute__ctor_m389751AED6740F401AC8DFACD5914C13AB24D8A6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = Box(TypeInferenceRules_tFA03D20477226A95FE644665C3C08A6B6281C333_il2cpp_TypeInfo_var, (&___rule0));
NullCheck(L_0);
String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_0);
___rule0 = *(int32_t*)UnBox(L_0);
TypeInferenceRuleAttribute__ctor_m34920F979AA071F4973CEEEF6F91B5B6A53E5765(__this, L_1, /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngineInternal.TypeInferenceRuleAttribute::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void TypeInferenceRuleAttribute__ctor_m34920F979AA071F4973CEEEF6F91B5B6A53E5765 (TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B * __this, String_t* ___rule0, const RuntimeMethod* method)
{
{
Attribute__ctor_m45CAD4B01265CC84CC5A84F62EE2DBE85DE89EC0(__this, /*hidden argument*/NULL);
String_t* L_0 = ___rule0;
__this->set__rule_0(L_0);
return;
}
}
// System.String UnityEngineInternal.TypeInferenceRuleAttribute::ToString()
extern "C" IL2CPP_METHOD_ATTR String_t* TypeInferenceRuleAttribute_ToString_m49343B52ED0F3E75B3E56E37CF523F63E5A746F6 (TypeInferenceRuleAttribute_tEB3BA6FDE6D6817FD33E2620200007EB9730214B * __this, const RuntimeMethod* method)
{
String_t* V_0 = NULL;
{
String_t* L_0 = __this->get__rule_0();
V_0 = L_0;
goto IL_000d;
}
IL_000d:
{
String_t* L_1 = V_0;
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
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"yingwenhuang@ufl.edu"
] | yingwenhuang@ufl.edu |
83350f9ad5182359d07b7beb7d8c63f4d98284e3 | 56b8b3eb6011e54c16b7211224b79f8daa33139a | /Algorithms/Tasks.2001.2500/2178.MaxSplitOfPositiveEvenIntegers/solution.cpp | fe85426af5f5fbd67beca25ad5051deb50208282 | [
"MIT"
] | permissive | stdstring/leetcode | 98aee82bc080705935d4ce01ff1d4c2f530a766c | 60000e9144b04a2341996419bee51ba53ad879e6 | refs/heads/master | 2023-08-16T16:19:09.269345 | 2023-08-16T05:31:46 | 2023-08-16T05:31:46 | 127,088,029 | 0 | 0 | MIT | 2023-02-25T08:46:17 | 2018-03-28T05:24:34 | C++ | UTF-8 | C++ | false | false | 986 | cpp | #include <vector>
#include "gtest/gtest.h"
namespace
{
class Solution
{
public:
[[nodiscard]] std::vector<long long> maximumEvenSplit(long long finalSum) const
{
if (finalSum % 2 == 1)
return {};
std::vector<long long> evenIntegers;
for (long long current = 2;; current += 2)
{
if ((2 * current + 2) > finalSum)
{
evenIntegers.push_back(finalSum);
break;
}
evenIntegers.push_back(current);
finalSum -= current;
}
return evenIntegers;
}
};
}
namespace MaxSplitOfPositiveEvenIntegersTask
{
TEST(MaxSplitOfPositiveEvenIntegersTaskTests, Examples)
{
const Solution solution;
ASSERT_EQ(std::vector<long long>({2, 4, 6}), solution.maximumEvenSplit(12));
ASSERT_EQ(std::vector<long long>(), solution.maximumEvenSplit(7));
ASSERT_EQ(std::vector<long long>({2, 4, 6, 16}), solution.maximumEvenSplit(28));
}
} | [
"std_string@mail.ru"
] | std_string@mail.ru |
bd5c4a11c76b0df3bac1777d032e29b8bd8516f1 | 0fae2f4d092d3f4ccd3f72dd37ce0f2781df8760 | /Spoj/PT07Z.cpp | a0b311ffc11bf39aeed035c5d67ad11b8d40d01e | [] | no_license | gopaljaiswal/Competition-Problems-Solution-CPP-Python | 918a0189e35f488080b4f90b74d2f1f92cc54bc8 | bed246e33892de7ba21114bf2b92babfdfb03087 | refs/heads/master | 2020-04-18T03:02:53.342586 | 2019-01-28T11:00:10 | 2019-01-28T11:00:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,629 | cpp | #include <iostream>
#include <queue>
#include <vector>
#define MAX 10000
using namespace std;
vector<int> vc[MAX];
int getLastEle(int N, int s, bool isLastEle)
{
bool visited[N];
int cost[N];
for (int i = 0; i < N; i++)
{
cost[i] = 0;
visited[i] = false;
}
queue<int> q;
q.push(s);
visited[s] = true;
int lastElement;
while (!q.empty())
{
int n = q.front();
lastElement = n;
q.pop();
for (int i = 0; i < vc[n].size(); i++)
{
int edge = vc[n][i];
if (!visited[edge])
{
q.push(edge);
visited[edge] = true;
cost[edge] = cost[n] + 1;
}
}
}
// for (int i = 0; i < N; i++)
// {
// cout << cost[i] << " ";
// }
// cout << "\n";
if (isLastEle)
{
return lastElement;
}
return cost[lastElement];
}
void addEdge(int u, int v)
{
vc[u].push_back(v);
vc[v].push_back(u);
}
void solve()
{
int N;
cin >> N;
int M = N - 1;
for (int i = 0; i < M; i++)
{
int u, v;
cin >> u >> v;
addEdge(u - 1, v - 1);
}
int lastEle = getLastEle(N, 0, true);
//cout << lastEle << "\n";
cout << getLastEle(N, lastEle, false);
}
int main()
{
freopen("/Users/gopaljaiswal/project/frameworks/Anaconda_python/Comp_Prog/"
"input.txt",
"r", stdin);
freopen("/Users/gopaljaiswal/project/frameworks/Anaconda_python/Comp_Prog/"
"output.txt",
"w", stdout);
solve();
return 0;
} | [
"gopal.jaiswal@datami.com"
] | gopal.jaiswal@datami.com |
90c042d8452a60fc83279f13432e5d77bf39de4b | 0dde4e977c748fe1dfa5458d9bf790e38ae5b3be | /extras/C++/puneets_class/session4/jasons_test/jasons_analysis.cxx | b6043a0eae19c5e119c830aed8d23c3c5ba4b309 | [] | no_license | jasonbono/CLAS | e27a48f96b753e11a97803bbe4c782319c4f8534 | c899062b8740cdb6ef04916d74f22cebc5d2c5f8 | refs/heads/master | 2020-05-24T03:56:12.542417 | 2019-05-16T17:50:31 | 2019-05-16T17:50:31 | 187,074,934 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,714 | cxx | // jason bono feb 21 2012: took puneets code from session4 and adapted it to work with my code
// i would like to make this work so that i can do a basic filter to reduce data sizes.
// program: analysis - version 1.0
//
// usage: analysis1 -h -i [input file] -o [output file] -M [max events]
//
// input:
// -h - option to see program usage
// -i [input file] - the name of the input root file name (required)
// -o [output file] - the name of the output root file name
// -M [max events] - max num of events to process
// output:
// the output root file containing events and histogram that
// have passed the cuts
//
// written by: Puneet Khetarpal
//
// date: November 12, 2011
//////////////////////////////////////////////////////////////////////////////
// libraries included ////////////////////////////////////////////////////////
#include <iostream>
#include <string>
#include "TString.h"
#include "TFile.h"
#include "TTree.h"
#include "TObjArray.h"
#include "unistd.h" // a C library that implements getopt()
using namespace std;
// global constants and definitions //////////////////////////////////////////
// function prototypes ///////////////////////////////////////////////////////
// level 1
bool ParseInput(int, // argc
char* [], // argv
TString &, // input file name
TString &, // output file name
Long64_t &); // max events
// level 2
void PrintUsage();
// function definitions //////////////////////////////////////////////////////
// level 0 ///////////////////////////////////////////////////////////////////
int main(int argc, // argc: argument count
char* argv[]) { // argv: argument vector
// local variables
TString inputFileName; // input root file name
TString outputFileName = "output.root"; // output root file name
Long64_t maxEvents = -1; // max num of events to process
// parse input parameters
if (!ParseInput(argc, argv, inputFileName, outputFileName, maxEvents))
exit(0);
// open the input file to check if it exists or if it is valid ROOT file
TFile* inputFile = new TFile(inputFileName.Data());
// if the file is not a valid ROOT file
// the status of the file is set to a zombie
if (inputFile->IsZombie())
exit(0);
// if it is a valid root file, then search for a ROOT tree object
//jb TTree* aTree = (TTree*)inputFile->Get("h10");
TTree* aTree = (TTree*)inputFile->Get("g12ana_v15"); //jb
Long64_t entries = aTree->GetEntries();
cout << "Total number of entries: " << entries << endl;
// consolidate max number of events to process
if (maxEvents > entries || maxEvents == -1)
maxEvents = entries;
// associated tree variables
Int_t nBytes = 0; // total bytes read from tree
//jb UInt_t evntid = 0; // event id (unsigned integer)
//jb Float_t p[20]; // 3-momentum of tracks
Float_t beam = 0; //jb beam energy
Float_t tofmasskp1 = 0; //jb mass of kp1 calculated from tof
// print list of leaves
aTree->GetListOfLeaves()->Print();
// associate the tree branches with local variable addresses
//jb aTree->SetBranchAddress("evntid", &evntid);
//jb aTree->SetBranchAddress("p", p);
aTree->SetBranchAddress("beam", &beam); //jb
aTree->SetBranchAddress("tofmasskp1", &tofmasskp1); //jb
// loop through the events
for (Long64_t trigIndex = 0; trigIndex < maxEvents; trigIndex++) {
// get the entry for event index
nBytes += aTree->GetEntry(trigIndex);
// output info to screen
//jb cout << evntid << " " << p[0] << endl;
cout << beam << " " << tofmasskp1 << endl;
// This is the heart of your code -- your analysis of events goes here!
// You can fill your histograms, make cuts, select/reject events
// and fill any new trees you have defined.
// At every instance of the function "GetEntry" call, the
// pointers to the branches in the tree are reset to appropriate
// addresses in the ROOT file for the event at 'trigIndex'.
}
// cleanup
delete aTree;
inputFile->Close();
return 0;
}
// level 1 ///////////////////////////////////////////////////////////////////
// preconditions: none
// postconditions: the input parameters are parsed and stored as needed
bool ParseInput(int argc, char* argv[], TString &inputFileName,
TString &outputFileName, Long64_t &maxEvents) {
// local variables
bool result = false;
bool inputOption = false; // test for required input file option
int numArgs = argc - 1; // argv[0]: path of executable
char opt = ' '; // variable to store options
// check to see if there is at least one argument to the program
if (numArgs < 1) {
cout << "Error: Insufficient arguments to program call - " << numArgs
<< endl << endl;
PrintUsage();
return result;
}
// getopt() takes in the number of command line arguments (argc)
// an array of strings to those arguments (argv), and a string
// of options to expect at command line. It returns the first
// option as a character. The next call to this function with
// same arguments returns the next option.
//
// getopt() also sets some global variables, viz.:
// optarg - a pointer to the current option argument, if it exists
// optind - the index of the next argv pointer to process
// optopt - the last known option
extern char* optarg; // extern keyword declare a variable/function
extern int optind, optopt; // its name is visible from other files
// Options that require an argument after them, a ':' must be
// specified in the options string. If you specify a ':' at the
// beginning of the options string, then getopt() will return
// a ':' if it can't find a required argument to an option. If
// you don't specify a ':' at the beginning of the list, then
// a '?' is returned. A '?' is also returned when an unrecognized
// option is specified.
//
// When getopt() has finished parsing through all the options,
// it returns -1:
//
// NOTE: here the compiler automatically typecasts opt as an
// integer when evaluating this expression
while ((opt = getopt(argc, argv, ":i:o:M:h?")) != -1) {
switch(opt) {
case 'i': // check for input file
inputFileName = optarg;
inputOption = true; // store whether input file option given
break;
case 'o': // check for output file
outputFileName = optarg;
break;
case 'M': // check for maximum number of events to process
maxEvents = atol(optarg);
// check whether max events > 0
if (maxEvents < 1) {
cout << "Error: invalid max number of events specified - "
<< optarg << endl;
PrintUsage();
return result;
}
break;
case ':': // if a required argument is missing
cout << "-" << char(optopt) << " without an argument\n";
case 'h': // fall through for ':' and 'h' is intentional
case '?': // -h or any other option must show usage
PrintUsage();
return result;
break;
default: // you won't actually get here, but for completeness...
break;
}
}
// if input root file option is not specified then issue error
if (!inputOption) {
cout << "Error: Input root file name required as input\n" << endl;
PrintUsage();
return result;
}
// if we have come this far then set result to true
result = true;
// print the result of the parsing
cout << "The input file name is: " << inputFileName.Data() << endl
<< "The output file name is: " << outputFileName.Data() << endl
<< "The max number of events to process is: " << maxEvents << endl;
return result;
}
// level 2 ///////////////////////////////////////////////////////////////////
// preconditions: none
// postconditions: the usage is printed
void PrintUsage() {
cout << "usage: analysis1 -h -i [input file] -o [output file] "
<< "-M [max events]" << endl << endl
<< " -h show program usage and exit\n"
<< " -i [input file] name of the input root file name "
<< "(required)\n"
<< " -o [output file] name of the output root file name\n"
<< " (default: output.root)\n"
<< " -M [max events] max num of events to process\n"
<< endl;
return;
} | [
"jason.s.bono@gmail.com"
] | jason.s.bono@gmail.com |
ba840406bebccb138a63075e70a895f8029668b6 | 14210bfb44f80d32ccae7043504212f75c11edfb | /ch12/ch12/ex03.cpp | a114ecb119d05ad78bf16378504f9a8a2de6568e | [] | no_license | wikibook/doodle-ccpp | 4763543bfec50a1218acf72514ce8fdd76d3a695 | 37ca86a9963eaa1f013fd958680b5b322f371327 | refs/heads/main | 2023-05-03T09:27:56.068695 | 2021-05-24T02:01:52 | 2021-05-24T02:01:52 | 362,653,233 | 8 | 5 | null | null | null | null | UTF-8 | C++ | false | false | 752 | cpp | #include <iostream>
using namespace std;
class Ice {
public:
Ice() { cout << "Ice()" << endl; }
~Ice() { cout << "~Ice()" << endl; }
};
class Pat {
public:
Pat() { cout << "Pat()" << endl; }
~Pat() { cout << "~Pat()" << endl; }
};
class Bingsoo {
public:
Bingsoo() { cout << "Bingsoo()" << endl; }
~Bingsoo() { cout << "~Bingsoo()" << endl; }
private:
Ice ice;
};
class PatBingsoo : public Bingsoo {
public:
PatBingsoo() { cout << "PatBingsoo()" << endl; }
~PatBingsoo() { cout << "~PatBingsoo()" << endl; }
private:
Pat pat;
};
int main() {
cout << "===== 1 =====" << endl;
PatBingsoo* p = new PatBingsoo;
cout << "===== 2 =====" << endl;
delete p;
cout << "===== 3 =====" << endl;
}
| [
"dylee@wikibook.co.kr"
] | dylee@wikibook.co.kr |
f844fd1b1ef9b2e993e7998b92373ce883a8e1f2 | eef0ef53ee0e1f2f487aaff564fe8316d0418e42 | /src/opencv_stuff/opencv_stuff/opencv_stuff/KDTree.h | f9219738b11bf3a99a0dbb5cd10bf492d2707c27 | [] | no_license | tehwentzel/EVL_feature_extraction | 806dca5d3d670cd9793d90b70e7b26794843cd85 | 143a1609e247144914401017f099fa6a15daf770 | refs/heads/master | 2020-06-01T02:27:21.718116 | 2019-08-28T22:05:53 | 2019-08-28T22:05:53 | 190,596,783 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,842 | h | #pragma once
/*
* file: KDTree.hpp
* author: J. Frederico Carvalho
*
* This is an adaptation of the KD-tree implementation in rosetta code
* https://rosettacode.org/wiki/K-d_tree
* It is a reimplementation of the C code using C++.
* It also includes a few more queries than the original
*
*/
#include <algorithm>
#include <functional>
#include <memory>
#include <vector>
using point_t = std::vector< double >;
using indexArr = std::vector< size_t >;
using pointIndex = typename std::pair< std::vector< double >, size_t >;
class KDNode {
public:
using KDNodePtr = std::shared_ptr< KDNode >;
size_t index;
point_t x;
KDNodePtr left;
KDNodePtr right;
// initializer
KDNode();
KDNode(const point_t&, const size_t&, const KDNodePtr&,
const KDNodePtr&);
KDNode(const pointIndex&, const KDNodePtr&, const KDNodePtr&);
~KDNode();
// getter
double coord(const size_t&);
// conversions
explicit operator bool();
explicit operator point_t();
explicit operator size_t();
explicit operator pointIndex();
};
using KDNodePtr = std::shared_ptr< KDNode >;
KDNodePtr NewKDNodePtr();
inline double dist(const point_t&, const point_t&);
inline double dist(const KDNodePtr&, const KDNodePtr&);
// Need for sorting
class comparer {
public:
size_t idx;
explicit comparer(size_t idx_);
inline bool compare_idx(
const std::pair< std::vector< double >, size_t >&, //
const std::pair< std::vector< double >, size_t >& //
);
};
using pointIndexArr = typename std::vector< pointIndex >;
inline void sort_on_idx(const pointIndexArr::iterator&, //
const pointIndexArr::iterator&, //
size_t idx);
using pointVec = std::vector< point_t >;
class KDTree {
KDNodePtr root;
KDNodePtr leaf;
KDNodePtr make_tree(const pointIndexArr::iterator& begin, //
const pointIndexArr::iterator& end, //
const size_t& length, //
const size_t& level //
);
public:
KDTree() = default;
explicit KDTree(pointVec point_array);
private:
KDNodePtr nearest_( //
const KDNodePtr& branch, //
const point_t& pt, //
const size_t& level, //
const KDNodePtr& best, //
const double& best_dist //
);
// default caller
KDNodePtr nearest_(const point_t& pt);
public:
point_t nearest_point(const point_t& pt);
size_t nearest_index(const point_t& pt);
pointIndex nearest_pointIndex(const point_t& pt);
private:
pointIndexArr neighborhood_( //
const KDNodePtr& branch, //
const point_t& pt, //
const double& rad, //
const size_t& level //
);
public:
pointIndexArr neighborhood( //
const point_t& pt, //
const double& rad);
pointVec neighborhood_points( //
const point_t& pt, //
const double& rad);
indexArr neighborhood_indices( //
const point_t& pt, //
const double& rad);
}; | [
"awentze2@uic.edu"
] | awentze2@uic.edu |
c7d3fd45aa5351c2caf39e6ad9b0016d97686c19 | 4497c10f3b01b7ff259f3eb45d0c094c81337db6 | /Retargeting/Shifmap/Version01/FillHoleShiftMap.h | e51d173ad1ecc4d77c5dc61f607d6e36924382f2 | [] | no_license | liuguoyou/retarget-toolkit | ebda70ad13ab03a003b52bddce0313f0feb4b0d6 | d2d94653b66ea3d4fa4861e1bd8313b93cf4877a | refs/heads/master | 2020-12-28T21:39:38.350998 | 2010-12-23T16:16:59 | 2010-12-23T16:16:59 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,655 | h | #pragma once
#include "ImageRetargeter.h"
#include "FillHoleEnergyFunction.h"
#include "GCoptimization.h"
#include "MaskShift.h"
#include <vector>
using namespace std;
class FillHoleShiftMap : public ImageRetargeter
{
public:
FillHoleShiftMap(void);
~FillHoleShiftMap(void);
virtual IplImage* GetRetargetImage(IplImage* input, IplImage* saliency, CvSize outputSize);
virtual IplImage* GetRetargetImage2(IplImage* input, IplImage* saliency, CvSize outputSize, MaskShift* maskShift);
virtual void ComputeShiftMap(IplImage* input, IplImage* saliency, CvSize output, CvSize shiftSize);
virtual void ComputeShiftMap2(IplImage* input, IplImage* saliency, CvSize output, CvSize shiftSize, MaskShift* maskShift);
void SetMask(IplImage* mask, IplImage* maskData);
protected:
IplImage* _mask;
IplImage* _maskData;
GCoptimizationGeneralGraph* _gcGeneral;
vector<CvPoint*>* _pointMapping;
IplImage* _input;
IplImage* _maskNeighbor; // carry neighbor info with mask
CvSize _shiftSize;
protected:
void ClearGC();
void ProcessMask();
bool IsMaskedPixel(int x, int y, IplImage* mask);
// process the mapping
// pointMapping is an empty vector
// mapping is a matrix which has the same size as the mask
// mask is the input
// return total number of nodes
void ProcessMapping(IplImage* mask, CvMat* mapping, vector<CvPoint*>* pointMapping);
void ProcessMapping(MaskShift* mask, CvMat* mapping, vector<CvPoint*>* pointMapping);
//
void ProcessMask(IplImage* mask);
void ProcessMask(MaskShift* mask);
// setup neighborhood system for GC
void SetupGCOptimizationNeighbor(GCoptimizationGeneralGraph* gcGeneral, CvMat* mapping);
// setup neighborhood system for nodes & masked pixels
// maskNeighbor & mask should have the same size
// action: scan through the mask and set info for pixel which is a neighbor of a masked pixel
//
void SetupMaskNeighbor(IplImage* maskNeighbor, IplImage* mask);
void SetupMaskNeighbor(IplImage* maskNeighbor, MaskShift* mask);
// helpful function for SetupMaskNeighbor
// doesn't check whether currentPoint & neighborPoint is neighbor
// and inside the image
// tradeoff safety for performance
void ProcessNeighbor(CvPoint currentPoint, CvPoint neighborPoint, IplImage* maskNeighbor, IplImage* mask);
void ProcessNeighbor(CvPoint currentPoint, CvPoint neighborPoint, IplImage* maskNeighbor, MaskShift* mask);
void ProcessNeighbor(CvPoint currentPoint, CvPoint neighborPoint, IplImage* maskNeighbor, CvMat* mapping, GCoptimizationGeneralGraph* gcGeneral);
IplImage* CalculatedRetargetImage();
CvMat* CalculateLabelMap();
};
| [
"kidphys@aeedd7dc-6096-11de-8dc1-e798e446b60a"
] | kidphys@aeedd7dc-6096-11de-8dc1-e798e446b60a |
100422ae99e8a135641de70d6201d7ae9ca862b8 | 36c31b485a5906ab514c964491b8f001a70a67f5 | /Codeforces/CF 1300 - 1399/CF1352/CF1352E.cpp | 891f62671774f402eaa807acb9557c1b42d87889 | [] | no_license | SMiles02/CompetitiveProgramming | 77926918d5512824900384639955b31b0d0a5841 | 035040538c7e2102a88a2e3587e1ca984a2d9568 | refs/heads/master | 2023-08-18T22:14:09.997704 | 2023-08-13T20:30:42 | 2023-08-13T20:30:42 | 277,504,801 | 25 | 5 | null | 2022-11-01T01:34:30 | 2020-07-06T09:54:44 | C++ | UTF-8 | C++ | false | false | 543 | cpp | #include <bits/stdc++.h>
#define ll long long
#define sz(x) (int)(x).size()
using namespace std;
void solve()
{
int n,x;
cin>>n;
int dp[n+1];
dp[0]=0;
multiset<int> s;
for (int i=0;i<n;++i)
{
cin>>x;
dp[i+1]=dp[i]+x;
s.insert(x);
}
for (int i=1;i<n;++i)
for (int j=i+1;j<=n;++j)
s.erase(dp[j]-dp[i-1]);
cout<<n-sz(s)<<"\n";
}
int main()
{
ios_base::sync_with_stdio(0); cin.tie(0);
int n;
cin>>n;
while (n--)
solve();
return 0;
} | [
"mahajan.suneet2002@gmail.com"
] | mahajan.suneet2002@gmail.com |
526b7800cb12c24a691f122f45545c80bd12278a | 786e39df00e252ab241bd024862a43a3ad4968ac | /Hackerrank/Weekly12/Priyanka and Toys.cpp | cd51ea68f55f59976d5445254011cdb264691804 | [] | no_license | mishka1980/competitive-programming | 51e9366c012eaa25cb48c588fdbcd089e6e5f1e0 | c13b805a7dd9ab1228a91a3d088331ce3f0f99bf | refs/heads/master | 2020-03-21T02:05:16.260788 | 2015-01-13T17:21:21 | 2015-01-13T17:21:21 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 507 | cpp | #include <cmath>
#include <cstdio>
#include <vector>
#include <iostream>
#include <algorithm>
using namespace std;
#define REP(i, n) for(int i = 0; i < (n); i++)
#define all(c) (c).begin(), (c).end()
int main() {
int N;
cin >> N;
vector<int> weight(N);
REP(i, N) cin >> weight[i];
sort(all(weight));
int cnt = 1, cur = weight[0];
REP(i, N){
if(cur+4 < weight[i]){
cnt++;
cur = weight[i];
}
}
cout << cnt << endl;
return 0;
} | [
"shah.anish07@gmail.com"
] | shah.anish07@gmail.com |
876f3d3131906287f588b460ffb9d4ed95b160d9 | 8b2028d77adbb1ba4d5f7bf43234b56fb4809e1c | /Win32TestSolution/ControlPanelItems/ControlPanelItems7.cpp | e1ac8a7ef55dbb411810726d94acec97c9ceb919 | [] | no_license | yedaoq/YedaoqTestSpace | add8cf62968d749adb688450c6d9140c43709d15 | 391725687477492be40f7b8ef9509b8a93bd44c8 | refs/heads/master | 2021-01-18T21:39:35.025010 | 2017-07-19T07:03:46 | 2017-07-19T07:03:46 | 4,998,083 | 2 | 2 | null | null | null | null | GB18030 | C++ | false | false | 3,631 | cpp | // ControlPanelItems.cpp : 定义控制台应用程序的入口点。
//
#include "stdafx.h"
#include <shobjidl.h>
#include <shlobj.h>
#include <locale.h>
ATL::CComPtr<IShellFolder> folder_desktop;
ATL::CComPtr<IShellFolder> folder_cpl;
void PrintCplItemInfo(IShellItem* shell_item);
int _tmain(int argc, _TCHAR* argv[])
{
setlocale(LC_ALL, "Chinese-simplified");
CoInitialize(NULL);
HRESULT hr = SHGetDesktopFolder(&folder_desktop);
//LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}|::{BB64F8A7-BEE7-4E1A-AB8D-7D8273F7FDB6}");
//LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}\5\::{BB64F8A7-BEE7-4E1A-AB8D-7D8273F7FDB6}");
//LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}\0\::{BB64F8A7-BEE7-4E1A-AB8D-7D8273F7FDB6}");
//LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}");
//LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}\\5");
LPTSTR path = TEXT("::{26EE0668-A00A-44D7-9371-BEB064C98683}\\0");
PIDLIST_ABSOLUTE pidl_cpl;
hr = folder_desktop->ParseDisplayName(NULL, NULL, path, NULL, &pidl_cpl, NULL);
// 测试是否真的解析到了控制面板:创建ShellItem并检查它的名称
ATL::CComPtr<IShellItem> shell_item_cpl;
hr = SHCreateShellItem(NULL, NULL, pidl_cpl, &shell_item_cpl);
LPWSTR display_name;
shell_item_cpl->GetDisplayName(SIGDN_NORMALDISPLAY, &display_name);
hr = folder_desktop->BindToObject(pidl_cpl, NULL, IID_IShellFolder, (VOID**)&folder_cpl);
ATL::CComPtr<IEnumIDList> enum_cpl;
hr = folder_cpl->EnumObjects(NULL, SHCONTF_FOLDERS | SHCONTF_NONFOLDERS | SHCONTF_INCLUDEHIDDEN | SHCONTF_NETPRINTERSRCH | SHCONTF_SHAREABLE | SHCONTF_STORAGE| SHCONTF_FASTITEMS | SHCONTF_FLATLIST, &enum_cpl);
PITEMID_CHILD item_pidl;
while(SUCCEEDED(hr = enum_cpl->Next(1, &item_pidl, NULL)) && item_pidl)
{
if(item_pidl)
{
ATL::CComPtr<IShellItem> shell_item;
if(SUCCEEDED(SHCreateShellItem(NULL, folder_cpl, item_pidl, &shell_item)))
{
PrintCplItemInfo(shell_item);
}
}
else
{
printf("\n\nUnknow Item !\n\n");
}
}
CoUninitialize();
getchar();
return 0;
}
void PrintDisplayName(IShellFolder* folder_parse, IShellItem* shell_item, int sigdn, LPCTSTR sigdn_name);
bool ParseDisplayName(IShellFolder* folder_parse, LPWSTR name);
void PrintCplItemInfo(IShellItem* shell_item)
{
PrintDisplayName(NULL, shell_item, SIGDN_NORMALDISPLAY, TEXT("Display Name:\t\t"));
PrintDisplayName(folder_desktop, shell_item, SIGDN_DESKTOPABSOLUTEPARSING, TEXT("DesktopParse:\t\t"));
PrintDisplayName(folder_cpl, shell_item, SIGDN_PARENTRELATIVEPARSING, TEXT("ParentParse:\t\t"));
PrintDisplayName(folder_desktop, shell_item, SIGDN_DESKTOPABSOLUTEEDITING, TEXT("DesktopEdit:\t\t"));
PrintDisplayName(folder_cpl, shell_item, SIGDN_PARENTRELATIVEFORADDRESSBAR, TEXT("ParentAddress:\t\t"));
printf("\n\n");
}
void PrintDisplayName( IShellFolder* folder_parse, IShellItem* shell_item, int sigdn, LPCTSTR sigdn_name )
{
LPWSTR display_name;
if (SUCCEEDED(shell_item->GetDisplayName((SIGDN)sigdn, &display_name)))
{
_tprintf(TEXT("%s%s\t\t"), sigdn_name, display_name);
if (folder_parse)
{
_tprintf(TEXT("Parse:%s"), ParseDisplayName(folder_parse, display_name)? TEXT("able") : TEXT("unable"));
}
printf("\n");
CoTaskMemFree(display_name);
}
}
bool ParseDisplayName( IShellFolder* folder_parse, LPWSTR name )
{
PIDLIST_RELATIVE pidl;
HRESULT hr = folder_parse->ParseDisplayName(NULL, NULL, name, NULL, &pidl, NULL);
ATL::CComPtr<IShellItem> item;
if(SUCCEEDED(hr))
{
hr = SHCreateShellItem(NULL, folder_parse, pidl, &item);
CoTaskMemFree(pidl);
}
return SUCCEEDED(hr);
}
| [
"yedaoq@gmail.com"
] | yedaoq@gmail.com |
bf7a2230dbfaf8e037c44ec77c2c1b6660d1141c | a7c42ac5ec2199cbb259253944272a8f78051b71 | /cracking_the_coding_interview/面试题01.04.回文排列.cpp | 4e46e5b8e9a46d23368ea606216aeb3262cdbe21 | [] | no_license | ImportMengjie/Leetcode | 9a894e5a0971860275bfea8ffa1cc69d33298ce8 | 584d3cda27fafcc7d4dd0a101472ebaccfd6a9dd | refs/heads/master | 2023-05-25T13:43:16.397448 | 2023-05-22T08:34:12 | 2023-05-22T08:34:12 | 200,491,766 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,038 | cpp | /*
给定一个字符串,编写一个函数判定其是否为某个回文串的排列之一。
回文串是指正反两个方向都一样的单词或短语。排列是指字母的重新排列。
回文串不一定是字典当中的单词。
示例1:
输入:"tactcoa"
输出:true(排列有"tacocat"、"atcocta",等等)
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/palindrome-permutation-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
*/
#include <string>
#include <map>
#include <assert.h>
using namespace std;
class Solution {
public:
bool canPermutePalindrome(string s) {
int map[128] = {0};
int need_twice = s.size()/2;
for(auto& c:s){
if(map[c]==0){
map[c] = 1;
} else if(map[c]==1){
need_twice--;
map[c] = 0;
} else
assert(false);
}
return need_twice == 0;
}
};
| [
"limengjie@hotmail.com"
] | limengjie@hotmail.com |
f018087f970d1b6637a3cbc5eefcf4b29dab06bd | fa7f1f695900a8148f3db48d6ea3cb17768b610b | /src/memhack.cpp | a57818b556cf58d88a04dc4231474afd828e1833 | [
"BSD-3-Clause",
"BSD-2-Clause"
] | permissive | mipek/detourdecon | 6cc703668b1cd29cc3a13c39c5dc19f2256b3c9a | 4c945ffe31fdaa2376a5bfbfc261d16f44d31c92 | refs/heads/master | 2020-12-31T02:01:35.810735 | 2015-02-28T16:46:42 | 2015-02-28T16:46:42 | 24,411,381 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 322 | cpp | #include "memhack.h"
bool CMemHack::IsPatched(const void *addr, size_t len)
{
return false;
}
void CMemHack::Patch(const void *addr, const void *bytes, size_t len)
{
}
int CMemHack::AddPattern(const char *pattern, size_t len, OnPatternMatch_t cb)
{
return 0;
}
void CMemHack::Scan(const void *module, size_t len)
{
} | [
"donrevan@dscorp.de"
] | donrevan@dscorp.de |
06b5ed391047fb2d77b872b06c456a737f5ad347 | cf901f3fd5c6f3bbb8f27aef2a22843b06ac8c79 | /parafoam/tags/r0.2/foam/diffusion/TNuclearSolverTask.cpp | 85f21db9e2fd7015563736767c0584dac91bf489 | [] | no_license | wiinnie-the-pooh/paranoia-solution | d5a1b560f4f5df0819371cfd5bef351046afd6d9 | 8e59bc87012bc475f4860c8718b02cd869fd91ed | refs/heads/master | 2021-01-18T14:00:13.113108 | 2010-07-14T20:31:40 | 2010-07-14T20:31:40 | 32,144,400 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,728 | cpp | // Copyright (C) 2009 Pebble Bed Modular Reactor (Pty) Limited (PBMR)
//
// This library is free software; you can redistribute it and/or
// modify it under the terms of the GNU Lesser General Public
// License as published by the Free Software Foundation; either
// version 2.1 of the License.
//
// This library is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
// Lesser General Public License for more details.
//
// You should have received a copy of the GNU Lesser General Public
// License along with this library; if not, write to the Free Software
// Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
//
// See http://sourceforge.net/projects/extfoam
//
// Author : Alexey PETROV
//
//---------------------------------------------------------------------------
#include "parallel/foam/diffusion/TNuclearSolverTask.h"
#include "parallel/foam/diffusion/TNuclearSolver.h"
#include "parallel/dev/TPort.h"
//---------------------------------------------------------------------------
namespace parallel
{
namespace foam
{
//-----------------------------------------------------------------------
TNuclearSolverTask::TPtr
TNuclearSolverTask::create( const argList& args, const Switch& isTransient )
{
return new TNuclearSolverTask( TNuclearSolver::create( args, isTransient ) );
}
//-----------------------------------------------------------------------
TNuclearSolverTask::TNuclearSolverTask( const TNuclearSolverPtr& engine )
: CSolverTaskBase( *engine->runTime )
, engine( engine )
, m_Tfuel_i( "Tfuel", true, *this )
, m_Tmod_i( "Tmod", true, *this )
, m_fvMesh_o( "fvMesh", false, *this )
, m_powerDensity_o( "powerDensity", false, *this )
{}
//---------------------------------------------------------------------------
TNuclearSolverTask::~TNuclearSolverTask()
{}
//---------------------------------------------------------------------------
void TNuclearSolverTask::init()
{
MSG( "\nStart of TNuclearSolverTask[ " << this << " ]\n" );
CSolverTaskBase::init();
this->m_Tfuel_i.init( clone( this->engine->Tfuel() ) );
this->m_Tmod_i.init( clone( this->engine->Tmod() ) );
this->m_fvMesh_o.publish( this->engine->mesh );
}
//---------------------------------------------------------------------------
bool TNuclearSolverTask::step()
{
MSG( "\nTNuclearSolverTask[ " << this << " ]::step\n" );
// It is necessary to retrieve the fileds before time modification
// ( which take place in "pre_step" function)
this->m_Tfuel_i.retrieve( this->engine->mesh );
this->m_Tmod_i.retrieve( this->engine->mesh );
if ( this->pre_step() )
{
scalar residual = this->engine->solve();
MSG( "\nTNuclearSolverTask[ " << this << " ]"
<< " | " << this->runTime.timeName().c_str()
<< " | " << residual << "\n" );
this->m_residual_o.publish( residual );
this->m_powerDensity_o.publish( clone( this->engine->powerDensity() ) );
}
return this->post_step();
}
//---------------------------------------------------------------------------
void TNuclearSolverTask::destroy()
{
MSG( "\nEnd of TNuclearSolverTask[ " << this << " ]\n" );
CSolverTaskBase::destroy();
}
//---------------------------------------------------------------------------
}
}
//---------------------------------------------------------------------------
| [
"alexey.petrov.nnov@cdfb17f8-2921-11df-9f4f-a5c41f8f774a"
] | alexey.petrov.nnov@cdfb17f8-2921-11df-9f4f-a5c41f8f774a |
65cfc29376c56a1595404bbeccfa71ab08373bee | 59770e5df2d9b4145e1576e1730e38e1fd74aa75 | /Blockchain light client/libraries/web3-arduino-master/src/Util.cpp | 2cfa6b838750261f78544a76dd691f230cdf808e | [
"MIT"
] | permissive | ajvarela/trustedcollaborativeprocesses | 68962aa4f8d93a9dad90284b509a08e8c1de8fea | 6df3126983fc9d955512b1aad17684add08391f9 | refs/heads/main | 2023-04-13T21:59:12.653124 | 2022-12-16T15:51:44 | 2022-12-16T15:51:44 | 572,505,831 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,923 | cpp | //
// Created by Okada, Takahiro on 2018/02/11.
//
#include "Util.h"
#include "Arduino.h"
#include <cstdio>
#include <cstdlib>
#include <vector>
#include <stdio.h>
#include <string.h>
#include "Log.h"
Log u_debug;
#define LOG(x) u_debug.println(x)
// returns output (header) length
uint32_t Util::RlpEncodeWholeHeader(uint8_t* header_output, uint32_t total_len) {
if (total_len < 55) {
header_output[0] = (uint8_t)0xc0 + (uint8_t)total_len;
return 1;
} else {
uint8_t tmp_header[8];
memset(tmp_header, 0, 8);
uint32_t hexdigit = 1;
uint32_t tmp = total_len;
while ((uint32_t)(tmp / 256) > 0) {
tmp_header[hexdigit] = (uint8_t)(tmp % 256);
tmp = (uint32_t)(tmp / 256);
hexdigit++;
}
tmp_header[hexdigit] = (uint8_t)(tmp);
tmp_header[0] = (uint8_t)0xf7 + (uint8_t)hexdigit;
// fix direction for header
uint8_t header[8];
memset(header, 0, 8);
header[0] = tmp_header[0];
for (int i=0; i<hexdigit; i++) {
header[i+1] = tmp_header[hexdigit-i];
}
memcpy(header_output, header, (size_t)hexdigit+1);
return hexdigit+1;
}
}
vector<uint8_t> Util::RlpEncodeWholeHeaderWithVector(uint32_t total_len) {
vector<uint8_t> header_output;
if (total_len < 55) {
header_output.push_back((uint8_t)0xc0 + (uint8_t)total_len);
} else {
vector<uint8_t> tmp_header;
uint32_t hexdigit = 1;
uint32_t tmp = total_len;
while ((uint32_t)(tmp / 256) > 0) {
tmp_header.push_back((uint8_t)(tmp % 256));
tmp = (uint32_t)(tmp / 256);
hexdigit++;
}
tmp_header.push_back((uint8_t)(tmp));
tmp_header.insert(tmp_header.begin(), 0xf7 + (uint8_t)hexdigit);
// fix direction for header
vector<uint8_t> header;
header.push_back(tmp_header[0]);
for (int i=0; i<tmp_header.size()-1; i++) {
header.push_back(tmp_header[tmp_header.size()-1-i]);
}
header_output.insert(header_output.end(), header.begin(), header.end());
}
return header_output;
}
// returns output length
uint32_t Util::RlpEncodeItem(uint8_t* output, const uint8_t* input, uint32_t input_len) {
if (input_len==1 && input[0] == 0x00) {
uint8_t c[1] = {0x80};
memcpy(output, c, 1);
return 1;
} else if (input_len==1 && input[0] < 128) {
memcpy(output, input, 1);
return 1;
} else if (input_len <= 55) {
uint8_t _ = (uint8_t)0x80 + (uint8_t)input_len;
uint8_t header[] = {_};
memcpy(output, header, 1);
memcpy(output+1, input, (size_t)input_len);
return input_len+1;
} else {
uint8_t tmp_header[8];
memset(tmp_header, 0, 8);
uint32_t hexdigit = 1;
uint32_t tmp = input_len;
while ((uint32_t)(tmp / 256) > 0) {
tmp_header[hexdigit] = (uint8_t)(tmp % 256);
tmp = (uint32_t)(tmp / 256);
hexdigit++;
}
tmp_header[hexdigit] = (uint8_t)(tmp);
tmp_header[0] = (uint8_t)0xb7 + (uint8_t)hexdigit;
// fix direction for header
uint8_t header[8];
memset(header, 0, 8);
header[0] = tmp_header[0];
for (int i=0; i<hexdigit; i++) {
header[i+1] = tmp_header[hexdigit-i];
}
memcpy(output, header, hexdigit+1);
memcpy(output+hexdigit+1, input, (size_t)input_len);
return input_len+hexdigit+1;
}
}
vector<uint8_t> Util::RlpEncodeItemWithVector(const vector<uint8_t> input) {
vector<uint8_t> output;
uint16_t input_len = input.size();
if (input_len==1 && input[0] == 0x00) {
output.push_back(0x80);
} else if (input_len==1 && input[0] < 128) {
output.insert(output.end(), input.begin(), input.end());
} else if (input_len <= 55) {
uint8_t _ = (uint8_t)0x80 + (uint8_t)input_len;
output.push_back(_);
output.insert(output.end(), input.begin(), input.end());
} else {
vector<uint8_t> tmp_header;
uint32_t tmp = input_len;
while ((uint32_t)(tmp / 256) > 0) {
tmp_header.push_back((uint8_t)(tmp % 256));
tmp = (uint32_t)(tmp / 256);
}
tmp_header.push_back((uint8_t)(tmp));
uint8_t hexdigit = tmp_header.size();
tmp_header.insert(tmp_header.begin(), 0xb7 + hexdigit);
// fix direction for header
vector<uint8_t> header;
header.push_back(tmp_header[0]);
for (int i=0; i<hexdigit; i++) {
header.push_back(tmp_header[hexdigit-i]);
}
output.insert(output.end(), header.begin(), header.end());
output.insert(output.end(), input.begin(), input.end());
}
return output;
}
vector<uint8_t> Util::ConvertNumberToVector(uint32_t val) {
vector<uint8_t> tmp;
vector<uint8_t> ret;
if ((uint32_t)(val / 256) >= 0) {
while ((uint32_t)(val / 256) > 0) {
tmp.push_back((uint8_t)(val % 256));
val = (uint32_t)(val / 256);
}
tmp.push_back((uint8_t)(val % 256));
uint8_t len = tmp.size();
for (int i=0; i<len; i++) {
ret.push_back(tmp[len-i-1]);
}
} else {
ret.push_back((uint8_t)val);
}
return ret;
}
uint32_t Util::ConvertNumberToUintArray(uint8_t *str, uint32_t val) {
uint32_t ret = 0;
uint8_t tmp[8];
memset(tmp,0,8);
if ((uint32_t)(val / 256) >= 0) {
while ((uint32_t)(val / 256) > 0) {
tmp[ret] = (uint8_t)(val % 256);
val = (uint32_t)(val / 256);
ret++;
}
tmp[ret] = (uint8_t)(val % 256);
for (int i=0; i<ret+1; i++) {
str[i] = tmp[ret-i];
}
} else {
str[0] = (uint8_t)val;
}
return ret+1;
}
vector<uint8_t> Util::ConvertCharStrToVector(const uint8_t *in) {
uint32_t ret = 0;
uint8_t tmp[1024];
strcpy((char *)tmp, (char *)in);
vector<uint8_t> out;
// remove "0x"
char * ptr = strtok((char*)tmp, "x");
if (strlen(ptr)!=1) {
ptr = (char *)tmp;
} else {
ptr = strtok(NULL, "x");
}
size_t lenstr = strlen(ptr);
for (int i=0; i<lenstr; i+=2) {
char c[3];
c[0] = *(ptr+i);
c[1] = *(ptr+i+1);
c[2] = 0x00;
uint8_t val = strtol(c, nullptr, 16);
out.push_back(val);
ret++;
}
return out;
}
vector<uint8_t> Util::ConvertStringToVector(const string* str) {
return ConvertCharStrToVector((uint8_t*)(str->c_str()));
}
uint32_t Util::ConvertCharStrToUintArray(uint8_t *out, const uint8_t *in) {
uint32_t ret = 0;
uint8_t tmp[256];
strcpy((char *)tmp, (char *)in);
// remove "0x"
char * ptr = strtok((char*)tmp, "x");
if (strlen(ptr)!=1) {
ptr = (char *)tmp;
} else {
ptr = strtok(NULL, "x");
}
size_t lenstr = strlen(ptr);
for (int i=0; i<lenstr; i+=2) {
char c[3];
c[0] = *(ptr+i);
c[1] = *(ptr+i+1);
c[2] = 0x00;
uint8_t val = strtol(c, nullptr, 16);
out[ret] = val;
ret++;
}
return ret;
};
uint8_t Util::HexToInt(uint8_t s) {
uint8_t ret = 0;
if(s >= '0' && s <= '9'){
ret = uint8_t(s - '0');
} else if(s >= 'a' && s <= 'f'){
ret = uint8_t(s - 'a' + 10);
} else if(s >= 'A' && s <= 'F'){
ret = uint8_t(s - 'A' + 10);
}
return ret;
}
void Util::BufToCharStr(char* str, const uint8_t* buf, uint32_t len) {
sprintf(str, "0x");
for (int i = 0; i < len; i++) {
sprintf(str, "%s%02x", str, buf[i]);
}
}
void Util::VectorToCharStr(char* str, const vector<uint8_t> buf) {
sprintf(str, "0x");
for (int i = 0; i < buf.size(); i++) {
sprintf(str, "%s%02x", str, buf[i]);
}
}
string Util::VectorToString(const vector<uint8_t> buf) {
string ret = "0x";
for (int i = 0; i < buf.size(); i++) {
char v[3];
memset(v, 0, sizeof(v));
sprintf(v, "%02x", buf[i]);
ret = ret + string(v);
}
return ret;
}
string decToHexa(int n) {
char hexaDeciNum[100];
int i = 0;
while (n != 0) {
int temp = 0;
temp = n % 16;
if (temp < 10) {
hexaDeciNum[i] = temp + 48;
i++;
}
else {
hexaDeciNum[i] = temp + 55;
i++;
}
n = n / 16;
}
string res = "";
for (int j = i - 1; j >= 0; j--)
res += hexaDeciNum[j];
return res;
}
string Util::ConvertStringToHex(const string* ascii) {
string hex = "";
for (int i = 0; i < ascii -> length(); i++) {
char ch = ascii -> c_str()[i];
int tmp = (int)ch;
string part = decToHexa(tmp);
hex += part;
}
return hex;
}
| [
"davigldom@gmail.com"
] | davigldom@gmail.com |
79acb7231e01136113b7137d5f50b955c7d3930b | cac3ea49ae82960cf5aa0f7c23848f81f8b20aa6 | /src/datamodel/processordata.h | 5735be677247302a357a35f1f6d37e67160bc6b0 | [] | no_license | thiagolacerda/patterns | 81f9b3f341e822db853c730205dd5f6bd91d4235 | 4bd79836fef6ac28a07da1d9bec6c6c77464e9fe | refs/heads/master | 2020-04-06T06:48:24.001251 | 2016-06-08T05:39:55 | 2016-06-09T07:49:25 | 22,708,122 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 80 | h | #pragma once
class ProcessorData {
public:
virtual ~ProcessorData() {}
};
| [
"tbl2@cin.ufpe.br"
] | tbl2@cin.ufpe.br |
4dcf9f5b6ec3229338294a31a0c7561325b772c8 | ad2feba89e0768f9808053a81d36b4d9cdbfc66d | /Programacion Competitiva/uva11624.cpp | 9c659713827945f0eb5abd817877a127d18671ae | [
"MIT"
] | permissive | matgar03/CompetitiveProg | 9ea13bacd88b8d8dc74ce443cd93db1be6b5e2fb | be596f251b31bffc40b5b60cb6b7e09d268d1dcf | refs/heads/master | 2020-09-04T18:53:28.943407 | 2019-12-12T20:43:08 | 2019-12-12T20:43:08 | 219,857,233 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,528 | cpp | #include <iostream>
#include <vector>
#include <string>
#include <queue>
using namespace std;
int n,c,f;
int df[]={1,0,-1,0};
int dc[]= {0,1,0,-1};
bool ok(int i,int j,const vector<vector<char>> &m){
return (i>=0 && j>=0 && i < f && j< c);
}
void solucion(vector<vector<char>> &m,vector<pair<int,int>>&conjfire,vector<pair<int,int>>&conjj ){
int contf=0,contj=0,aux2,cont=0;
bool fin =false, puede = true;
if(conjj[contj].first==f-1 || conjj[contj].second==c-1 || conjj[contj].first==0 || conjj[contj].second==0){
cout << 1 << "\n";
return;
}
while(!fin && puede){
aux2=conjfire.size();
for (;contf<aux2;++contf){
for(int i=0;i<4;++i){
if (ok(conjfire[contf].first+df[i],conjfire[contf].second+dc[i],m) && (m[conjfire[contf].first+df[i]][conjfire[contf].second+dc[i]] == 'J' || m[conjfire[contf].first+df[i]][conjfire[contf].second+dc[i]] == '.')) {
m[conjfire[contf].first+df[i]][conjfire[contf].second+dc[i]] = 'F';
conjfire.push_back(pair<int,int> (conjfire[contf].first+df[i],conjfire[contf].second+dc[i]));
}
}
}
puede = false;
++cont;
aux2=conjj.size();
for (;contj<aux2;++contj){
for(int i=0;i<4;++i){
if (ok(conjj[contj].first+df[i],conjj[contj].second+dc[i],m) && (m[conjj[contj].first+df[i]][conjj[contj].second+dc[i]] == '.')) {
puede=true;
m[conjj[contj].first+df[i]][conjj[contj].second+dc[i]] = 'J';
conjj.push_back(pair<int,int> (conjj[contj].first+df[i],conjj[contj].second+dc[i]));
if (conjj[contj].first+df[i]==0||conjj[contj].first+df[i]==f-1||conjj[contj].second+dc[i]==0||conjj[contj].second+dc[i]==c-1)fin=true;
}
}
}
}
if (fin) cout<<cont+1<<'\n';
else cout <<"IMPOSSIBLE\n";
}
int main(){
cin>>n;
while(n--){
cin>>f>>c;
vector<vector<char>> m(f,vector<char>(c));
vector<pair<int,int>> conjfire,conjj;
for (int i=0;i<f;++i){
for(int j=0;j<c;++j) {
cin >> m[i][j];
if (m[i][j]=='F'){
conjfire.push_back(pair<int,int> (i,j));
}
else if (m[i][j]=='J'){
conjj.push_back(pair<int,int> (i,j));
}
}
}
solucion(m,conjfire,conjj);
}
return 0;
} | [
"matgar03@ucm.es"
] | matgar03@ucm.es |
4b8960a67ab1fac7cf83ba432c42de68fa501190 | 2310540cefe7e89342f62374978b5ac6fc5fc865 | /National Parks Game/COSC 412 National Parks Game/Temp/StagingArea/Data/il2cppOutput/mscorlib_System_Array_InternalEnumerator_1_gen1432132212.h | 880e396e5c58418fbc30fad45a32338f8b871409 | [] | no_license | rosechh/COSC412_Group4 | df6b1892889cca03d5967a2b969ce5999be85902 | 621dc6c8b8c37c923b1e65b2a7f3e0831d27b161 | refs/heads/master | 2021-04-26T22:51:09.723888 | 2018-05-22T23:14:26 | 2018-05-22T23:14:26 | 124,155,974 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,473 | 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"
// System.Array
struct Il2CppArray;
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Array/InternalEnumerator`1<System.Collections.Generic.List`1<UnityEngine.UIVertex>>
struct InternalEnumerator_1_t1432132212
{
public:
// System.Array System.Array/InternalEnumerator`1::array
Il2CppArray * ___array_0;
// System.Int32 System.Array/InternalEnumerator`1::idx
int32_t ___idx_1;
public:
inline static int32_t get_offset_of_array_0() { return static_cast<int32_t>(offsetof(InternalEnumerator_1_t1432132212, ___array_0)); }
inline Il2CppArray * get_array_0() const { return ___array_0; }
inline Il2CppArray ** get_address_of_array_0() { return &___array_0; }
inline void set_array_0(Il2CppArray * value)
{
___array_0 = value;
Il2CppCodeGenWriteBarrier(&___array_0, value);
}
inline static int32_t get_offset_of_idx_1() { return static_cast<int32_t>(offsetof(InternalEnumerator_1_t1432132212, ___idx_1)); }
inline int32_t get_idx_1() const { return ___idx_1; }
inline int32_t* get_address_of_idx_1() { return &___idx_1; }
inline void set_idx_1(int32_t value)
{
___idx_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"andrewsknick@gmail.com"
] | andrewsknick@gmail.com |
a68bc0a25101d1786a6c02581513bcd98969c670 | cfca8657c32717898eec59a18e5714bf2e3d37c6 | /qt/computrainer/computrainer.h | f08d45dbcf57172262f719f37b263d08dfe98b8a | [
"MIT"
] | permissive | SRAM/RacerMateDLL | b9cad1d988378e95e3ec55a2982eef1c3f9e1816 | a980e43919ae6c749561071cc135d5af221eb6c2 | refs/heads/master | 2022-12-27T18:51:30.090324 | 2020-10-02T21:35:31 | 2020-10-02T21:35:31 | 295,835,850 | 3 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,931 | h | #ifndef COMPUTRAINER_H
#define COMPUTRAINER_H
#include <vector>
#include <QObject>
#define DOUDP
//#ifdef DOUDP
#include <QUdpSocket>
//#else
//#include <QTcpSocket>
//#endif
#include <QAbstractSocket>
#include <QTimer>
#include <comdefs.h>
#include <tmr.h>
#include <rider2.h>
#include <coursefile.h> // for PerfPoint
#include <qt_ss.h>
#include <qt_data.h>
namespace RACERMATE {
const int RXQLEN = 2048;
const int RXBUFLEN = 1024;
/**********************************************************************************************
**********************************************************************************************/
class Computrainer : public QObject {
Q_OBJECT
public:
static const int NBARS = 24;
enum LoggingType {
NO_LOGGING,
RAW_PERF_LOGGING,
THREE_D_PERF_LOGGING,
RM1_PERF_LOGGING
};
typedef struct {
unsigned long time;
unsigned char buf[6];
} RAW_COMPUTRAINER_LOGPACKET;
#define MODE_WIND 0x2c
#define MODE_WIND_PAUSE 0x28
#define MODE_RFTEST 0x1c
#define MODE_ERGO 0x14
#define MODE_ERGO_PAUSE 0x10
explicit Computrainer(const char *_ipstr, int _tcp_port, Rider2 &, bool _doudp, QObject *parent = 0);
explicit Computrainer(int _udp_port, Rider2 &, QObject *parent = 0);
~Computrainer();
// setters:
void setStarted(bool value);
void setFinished(bool value);
void setPaused(bool value);
qt_SS::BARINFO *get_barinfo(int i);
void start(void);
void stop(void);
void setRider(const Rider2& _rider);
private:
bool doudp;
#ifdef _DEBUG
qt_SS::SSD *ssdata;
void display(void);
char displaystring[256];
#endif
QT_DATA data;
//void doConnect(void);
void init_vars(void);
int read_data(void);
int updateHardware(bool _force = false);
int decode(void);
void beep(void);
void reset(void);
float unpack(unsigned short p);
float bars[NBARS];
unsigned char ssraw[NBARS];
qt_SS *ss;
double aerodrag;
float tiredrag;
qint64 lastdisplaytime;
QTimer *timer;
qint64 lastWriteTime;
unsigned char tx_select;
bool registered;
float last_export_grade;
unsigned char is_signed;
float manwts;
unsigned char txbuf[6];
unsigned char control_byte;
unsigned char pkt_mask[6];
unsigned long bytes_out;
QUdpSocket *udpsocket;
QHostAddress server_host_addr;
// QTcpSocket *tcpsocket;
int port;
char ipstr[128];
QAbstractSocket::SocketState socket_state;
qint64 gstart; // class-wide start time for debugging
qint64 lastCommTime;
int rxinptr;
int rxoutptr;
unsigned char rxq[RXQLEN];
unsigned char rxbuf[RXBUFLEN];
int tick;
bool connected_to_trainer;
qint64 lastlinkuptime;
Tmr *at;
unsigned char rawpacket[6];
std::vector<float> winds;
std::vector<float> calories;
Rider2 rider;
unsigned char packet[16 + 1];
int packetIndex;
bool finishEdge;
bool started;
bool finished;
bool paused;
LoggingType logging_type;
FILE *outstream;
RAW_COMPUTRAINER_LOGPACKET lp;
unsigned long recordsOut;
PerfPoint pp;
bool hrbeep_enabled;
float igradex10;
float grade; // sent float grade, controlled by course or manually
unsigned char accum_keys;
float accum_watts;
float accum_rpm;
float accum_hr;
float accum_kph;
int accum_tdc;
float wind;
float draft_wind;
int ilbs; // rd.kgs converted to in lbs for transmitter
unsigned long ptime;
qint64 lastbeeptime;
#define XORVAL 0xff
#define RPM_VALID 0x08
unsigned char HB_ERGO_RUN;
unsigned char HB_ERGO_PAUSE;
unsigned char newmask[6];
int bp;
unsigned char keys; // the 6 hb keys + the polar heartrate bit
int accum_watts_count; // used for ergvid
int accum_rpm_count; // used for ergvid
int accum_hr_count; // used for ergvid
int accum_kph_count; // used for ergvid
int parity_errors; // keys byte parity bit
unsigned char lastkeys;
unsigned char keydown;
unsigned char keyup;
int sscount;
double mps;
float rawspeed;
unsigned short rpmflags;
bool hrvalid;
float pedalrpm;
unsigned char rpmValid;
unsigned short minhr;
unsigned short maxhr;
unsigned short rfdrag;
unsigned short rfmeas;
unsigned short hbstatus;
unsigned short version;
unsigned short slip;
bool slipflag;
float raw_rpm;
DWORD packets;
signals:
void connected_to_server_signal(bool);
void connected_to_trainer_signal(int, bool);
void spinscan_data_signal(int, qt_SS::SSD *);
void data_signal(int, QT_DATA *);
int rescale_signal(int, int);
private slots:
void connected_slot();
void disconnected_slot();
void bytesWritten_slot(qint64 bytes);
void readyRead_slot();
void state_change_slot(QAbstractSocket::SocketState _socket_state );
void timer_slot();
void error_slot(QAbstractSocket::SocketError socketEerror);
public slots:
void gradechanged_slot(int);
void windchanged_slot(float);
};
}
#endif // COMPUTRAINER_H
| [
"anon_n@example.com"
] | anon_n@example.com |
ec9b666f588cb5957aca4d7753eaf476bdba4cc3 | 091afb7001e86146209397ea362da70ffd63a916 | /inst/include/boost/simd/sdk/config/details/support.hpp | bbeea54b60a526de654f6da7eb2acd8bde92cd24 | [] | no_license | RcppCore/RcppNT2 | f156b58c08863243f259d1e609c9a7a8cf669990 | cd7e548daa2d679b6ccebe19744b9a36f1e9139c | refs/heads/master | 2021-01-10T16:15:16.861239 | 2016-02-02T22:18:25 | 2016-02-02T22:18:25 | 50,460,545 | 15 | 1 | null | 2019-11-15T22:08:50 | 2016-01-26T21:29:34 | C++ | UTF-8 | C++ | false | false | 245 | hpp | #ifndef BOOST_SIMD_SDK_CONFIG_DETAILS_SUPPORT_HPP_INCLUDED
#define BOOST_SIMD_SDK_CONFIG_DETAILS_SUPPORT_HPP_INCLUDED
#include <boost/simd/sdk/config/details/powerpc/support.hpp>
#include <boost/simd/sdk/config/details/x86/support.hpp>
#endif
| [
"kevinushey@gmail.com"
] | kevinushey@gmail.com |
5e91955e666f2806fdd68f39eee9fe2dbd3d9dbd | 3b7c11cab2b3199104f6fef7f431c9b810bdb238 | /63-cpp-unique-paths-ii/solution.cpp | fed1e4f61e5b25cee376077ec36818eee62736bb | [] | no_license | tcz717/leetcode | 950a70642a7e4a792c44d79c8d436836b91ce0f0 | 63becafb7804ad6ccf2d2eae657a3c0f273b78ac | refs/heads/master | 2020-03-27T00:48:35.151112 | 2018-09-22T19:54:49 | 2018-09-22T19:54:49 | 145,658,900 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 860 | cpp | #include <vector>
#include <iostream>
#include <sstream>
#include <algorithm>
#include <cassert>
using namespace std;
// BEGIN UPLOAD ZONE
class Solution
{
public:
int uniquePathsWithObstacles(vector<vector<int>> &obstacleGrid)
{
if (obstacleGrid.empty() || obstacleGrid.front().empty())
return 0;
int m = obstacleGrid.size();
int n = obstacleGrid.front().size();
vector<int> f(n + 1, 0);
f[1] = 1;
for (int i = 0; i < m; ++i)
{
for (int j = 1; j <= n; ++j)
{
f[j] = obstacleGrid[i][j - 1] == 1 ? 0 : f[j] + f[j - 1];
}
}
return f.back();
}
};
// END UPLOAD ZONE
int main()
{
vector<vector<int>> input = {{0, 0, 0}, {0, 1, 0}, {0, 0, 0}};
cout << Solution().uniquePathsWithObstacles(input) << endl;
} | [
"tcz717@hotmail.com"
] | tcz717@hotmail.com |
d409e8ed39e5644f926faa5a81b17615558ec8d8 | ef25946eba902b142a72522898d892a35c64b5c8 | /app_all/accountBook/ABSqlQuery.cpp | c9a1844b852a98df32b2074a58f39dd074dcb41e | [] | no_license | liyiji/account-book | 86c8700c3be54832f5eacab535b904d969e21c70 | 3d5d10f6d72f8b032dead8ed896985509f8a2adb | refs/heads/master | 2021-01-25T07:35:10.125582 | 2012-04-16T12:01:26 | 2012-04-16T12:01:26 | 32,137,788 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 46,591 | cpp |
#include <cassert>
#include <QDebug>
#include <QMap>
#include <QVariant>
#include <QSqlQuery>
#include <QSqlError>
#include <QMessageBox>
#include "ABSqlQuery.h"
#include "ABDefines.h"
#include "ABFunction.h"
bool createConnection(QString strDbName, QString strPwd)
{
QSqlDatabase db = QSqlDatabase::addDatabase("QSQLITE");
db.setDatabaseName(strDbName);
if (!strPwd.isEmpty()) {
db.setPassword(strPwd);
}
if (!db.open()) {
QMessageBox::critical(0, QObject::tr("Database Error"),
db.lastError().text());
exit(-1);
}
return initDatabase(db);
}
bool initDatabase(QSqlDatabase& db)
{
QStringList slTables = db.tables();
/// 3个默认Table
/// TableNameAccount
/// TableNameCategory
/// TableNameTransaction
/// Account中默认条目
/// "'Cash', 1988, 1, 1, 0, 0, 0, 'xxxxxxxx(InsertTime)'"
if (slTables.contains(TableNameAccount) == false) {
createAccountTable();
}
insertItemInAccount(g_Cash, 1988, 1, 1, 0, 0, getInsertTime());
/// Category中默认条目
/// "'Income', 'Default', 'Default', 'xxxxxxxx(InsertTime)'"
/// "'Expense', 'Default', 'Default', 'xxxxxxxx(InsertTime)'"
if (slTables.contains(TableNameCategory) == false) {
createCategoryTable();
}
insertItemInCategory(g_Income, g_Default, g_Default, getInsertTime());
insertItemInCategory(g_Expense, g_Default, g_Default, getInsertTime());
/// Transaction中没有默认条目
if (slTables.contains(TableNameTransaction) == false) {
createTransactionTable();
}
extern bool g_UsePassword;
g_UsePassword = slTables.contains(TableNamePassword);
if (slTables.contains(TableNameVersion) == false) {
createVersionTable();
int version = g_CurrentVersionOfCodeForDatabase;
insertItemInVersion(version);
}
if (checkVersion())
{
return true;
}
else
{
return false;
}
}
void createAccountTable()
{
QSqlQuery q1;
QString s1;
s1.append("CREATE TABLE ");
s1.append(TableNameAccount);
s1.append(" (");
s1.append("Name char(100), ");
s1.append("CreateYear int, ");
s1.append("CreateMonth int, ");
s1.append("CreateDay int, ");
s1.append("CreateHour int, ");
s1.append("CreateMinute int, ");
s1.append("Surplus double, ");
s1.append("InsertTime char(100)");
s1.append(")");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void createCategoryTable()
{
QSqlQuery q1;
QString s1;
s1.append("CREATE TABLE ");
s1.append(TableNameCategory);
s1.append(" (");
s1.append("BigType char(100), ");
s1.append("MidType char(100), ");
s1.append("SmallType char(100), ");
s1.append("InsertTime char(100)");
s1.append(")");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void createTransactionTable()
{
QSqlQuery q1;
QString s1;
s1.append("CREATE TABLE ");
s1.append(TableNameTransaction);
s1.append(" (");
s1.append("Type char(100), ");
s1.append("CategoryMid char(100), ");
s1.append("CategorySmall char(100), ");
s1.append("Year int, ");
s1.append("Month int, ");
s1.append("Day int, ");
s1.append("Hour int, ");
s1.append("Minute int, ");
s1.append("Sum double, ");
s1.append("FromAccount char(100), ");
s1.append("ToAccount char(100), ");
s1.append("Detail char(100), ");
s1.append("InsertTime char(100)");
s1.append(")");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void createPwdTable()
{
QSqlQuery q1;
QString s1;
s1.append("CREATE TABLE ");
s1.append(TableNamePassword);
s1.append(" (Use bool)");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void createVersionTable()
{
QSqlQuery q1;
QString s1;
s1.append("CREATE TABLE ");
s1.append(TableNameVersion);
s1.append(" (Version int)");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
bool checkVersion()
{
QSqlQuery q1;
QString s1;
s1.append("SELECT * FROM ");
s1.append(TableNameVersion);
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
int count = 0;
bool versionInfo = false;
while (q1.next()) {
count++;
if (count > 1)
{
warnMsgItemAlreadyExists();
versionInfo = false;
break;
}
int version = q1.value(0).toInt();
if (version == g_CurrentVersionOfCodeForDatabase)
{
versionInfo = true;
}
}
return versionInfo;
}
void dropPwdtable()
{
QSqlQuery q1;
QString s1;
s1.append("DROP TABLE ");
s1.append(TableNamePassword);
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void insertItemInAccount(QString Name,
int CreateYear, int CreateMonth, int CreateDay, int CreateHour, int CreateMinute,
/*double Surplus, */QString InsertTime)
{
if (Name == g_Income || Name == g_Expense) {
warnMsgParameterInvalid();
return;
}
if (!accountExists(Name)) {
double Surplus = 0.0;
if (InsertTime.isEmpty()) {
InsertTime = getInsertTime();
}
singleInsertItemInAccount(Name, CreateYear, CreateMonth, CreateDay, CreateHour, CreateMinute, Surplus, InsertTime);
}
}
void insertItemInCategory(QString BigType, QString MidType, QString SmallType, QString InsertTime)
{
if (invalidBigType(BigType)) {
warnMsgParameterInvalid();
return;
}
if (MidType.isEmpty()){
MidType = g_Default;
}
if (SmallType.isEmpty()) {
SmallType = g_Default;
}
if (MidType == g_Default) {
if (SmallType != g_Default) {
warnMsgDisallowedOperation();
return;
}
}
if (InsertTime.isEmpty()) {
InsertTime = getInsertTime();
}
if (!categoryExists(BigType, MidType)) {
singleInsertItemInCategory(BigType, MidType, g_Default, InsertTime);
}
if (!categoryExists(BigType, MidType, SmallType)) {
singleInsertItemInCategory(BigType, MidType, SmallType, InsertTime);
}
}
void insertItemInTransaction(QString Type, QString CategoryMid, QString CategorySmall,
int Year, int Month, int Day, int Hour, int Minute,
double Sum,
QString FromAccount, QString ToAccount,
QString Detail,
QString InsertTime)
{
if (Type == g_Income) {
FromAccount = g_Income;
} else if (Type == g_Expense) {
ToAccount = g_Expense;
} else if (Type == g_Liquidity) {
CategoryMid = g_Default;
CategorySmall = g_Default;
} else {
assert(0);
}
if (InsertTime.isEmpty()) {
InsertTime = getInsertTime();
}
if (FromAccount != g_Income) {
if (!accountExists(FromAccount)) {
insertItemInAccount(FromAccount, Year, Month, Day, Hour, Minute, InsertTime);
}
}
if (ToAccount != g_Expense) {
if (!accountExists(ToAccount)) {
insertItemInAccount(ToAccount, Year, Month, Day, Hour, Minute, InsertTime);
}
}
if (Type == g_Income || Type == g_Expense) {
if (!categoryExists(Type, CategoryMid, CategorySmall)) {
insertItemInCategory(Type, CategoryMid, CategorySmall, InsertTime);
}
}
singleInsertItemInTransaction(Type, CategoryMid, CategorySmall, Year, Month, Day, Hour, Minute, Sum, FromAccount, ToAccount, Detail, InsertTime);
if (FromAccount != g_Income) {
updateSurplusOfAccount(FromAccount, -Sum);
}
if (ToAccount != g_Expense) {
updateSurplusOfAccount(ToAccount, Sum);
}
}
void insertItemInVersion(int version)
{
QSqlQuery q1;
QString s1;
s1.append("INSERT INTO ");
s1.append(TableNameVersion);
s1.append(" (Version) VALUES ('");
s1.append(QString::number(version));
s1.append("')");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void deleteItemInAccount(QString Name)
{
/// 取出Name帐户的余额,检查是否为0
QSqlQuery q1;
QString s1;
s1.append("SELECT Surplus FROM ");
s1.append(TableNameAccount);
s1.append(" WHERE Name = '");
s1.append(Name);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
double surplusOfName = q1.value(0).toDouble();
if (surplusOfName != 0) {
warnMsgDisallowedOperation();
return;
}
}
/// 检查所有Transaction中是否有与Name帐户相关的
QSqlQuery q2;
QString s2;
s2.append("SELECT * FROM ");
s2.append(TableNameTransaction);
s2.append(" FromAccount = '");
s2.append(Name);
s2.append("' OR ToAccount = '");
s2.append(Name);
s2.append("'");
if (!q2.exec(s2)) warnMsgDatabaseOperationFailed();
while (q2.next()) {
warnMsgDisallowedOperation();
return;
}
/// 符合删除条件,删除Name帐户
QSqlQuery q3;
QString s3;
s3.append("DELETE FROM ");
s3.append(TableNameAccount);
s3.append(" WHERE Name = '");
s3.append(Name);
s3.append("'");
if (!q3.exec(s3)) warnMsgDatabaseOperationFailed();
}
void deleteItemInCategory(QString BigType,
QString MidType,
QString SmallType)
{
if (invalidBigType(BigType)) {
warnMsgParameterInvalid();
return;
}
if (SmallType.isEmpty()) {
SmallType = g_Default;
}
if (MidType == g_Default) {
if (SmallType == g_Default) {
warnMsgDisallowedOperation();
} else {
warnMsgParameterInvalid();
}
return;
}
if (SmallType == g_Default) {
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategoryMid = '");
s1.append(g_Default);
s1.append("' AND CategorySmall = '");
s1.append(g_Default);
s1.append("' WHERE Type = '");
s1.append(BigType);
s1.append("' AND CategoryMid = '");
s1.append(MidType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
} else {
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategorySmall = '");
s1.append(g_Default);
s1.append("' WHERE Type = '");
s1.append(BigType);
s1.append("' AND CategoryMid = '");
s1.append(MidType);
s1.append("' AND CategorySmall = '");
s1.append(SmallType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
singleDeleteItemInCategory(BigType, MidType, SmallType);
}
void deleteItemInTransaction(QString Type,
QString CategoryMid,
QString CategorySmall,
int Year,
int Month,
int Day,
int Hour,
int Minute,
double Sum,
QString FromAccount,
QString ToAccount,
QString Detail,
QString InsertTime)
{
if (Type == g_Income) {
FromAccount = g_Income;
} else if (Type == g_Expense) {
ToAccount == g_Expense;
}
if (transactionExists(Type, CategoryMid, CategorySmall,
Year, Month, Day, Hour, Minute,
Sum, FromAccount, ToAccount, Detail) == false) {
warnMsgItemNotExists();
return;
}
if (Type == g_Income) {
updateSurplusOfAccount(ToAccount, -Sum);
} else if (Type == g_Expense) {
updateSurplusOfAccount(FromAccount, Sum);
} else if (Type == g_Liquidity) {
updateSurplusOfAccount(ToAccount, -Sum);
updateSurplusOfAccount(FromAccount, Sum);
} else {
assert(0);
}
QSqlQuery q5;
QString s5;
s5.append("DELETE FROM ");
s5.append(TableNameTransaction);
s5.append(" WHERE Type = '");
s5.append(Type);
s5.append("' AND CategoryMid = '");
s5.append(CategoryMid);
s5.append("' AND CategorySmall = '");
s5.append(CategorySmall);
s5.append("' AND Year = ");
s5.append(QString::number(Year));
s5.append(" AND Month = ");
s5.append(QString::number(Month));
s5.append(" AND Day = ");
s5.append(QString::number(Day));
s5.append(" AND Hour = ");
s5.append(QString::number(Hour));
s5.append(" AND Minute = ");
s5.append(QString::number(Minute));
s5.append(" AND Sum = ");
s5.append(QString::number(Sum, 'f'));
if (!FromAccount.isEmpty()) {
s5.append(" AND FromAccount = '");
s5.append(FromAccount);
s5.append("'");
}
if (!ToAccount.isEmpty()) {
s5.append(" AND ToAccount = '");
s5.append(ToAccount);
s5.append("'");
}
if (!Detail.isEmpty()) {
s5.append(" AND Detail = '");
s5.append(Detail);
s5.append("'");
}
if (!InsertTime.isEmpty()) {
s5.append(" AND InsertTime = '");
s5.append(InsertTime);
s5.append("'");
}
if (!q5.exec(s5)) warnMsgDatabaseOperationFailed();
}
void renameAccount(QString oriName, QString newName)
{
if (oriName == g_Cash ||
oriName.isEmpty() ||
newName.isEmpty() ||
oriName == newName) {
warnMsgParameterInvalid();
return;
}
/// 检查是否与已有的Account重名
if (accountExists(newName)) {
warnMsgItemAlreadyExists();
return;
}
/// 更新Table Account
QSqlQuery q2;
QString s2;
s2.append("UPDATE ");
s2.append(TableNameAccount);
s2.append(" SET Name = '");
s2.append(newName);
s2.append("' WHERE Name = '");
s2.append(oriName);
s2.append("'");
if (!q2.exec(s2)) warnMsgDatabaseOperationFailed();
/// 更新Table Transaction
QSqlQuery q3;
QString s3;
s3.append("UPDATE ");
s3.append(TableNameTransaction);
s3.append(" SET FromAccount = '");
s3.append(newName);
s3.append("' WHERE FromAccount = '");
s3.append(oriName);
s3.append("'");
if (!q3.exec(s3)) warnMsgDatabaseOperationFailed();
QSqlQuery q4;
QString s4;
s4.append("UPDATE ");
s4.append(TableNameTransaction);
s4.append(" SET ToAccount = '");
s4.append(newName);
s4.append("' WHERE ToAccount = '");
s4.append(oriName);
s4.append("'");
if (!q4.exec(s4)) warnMsgDatabaseOperationFailed();
}
void updateSurplusOfAccount(QString accountName, double sumChange)
{
if (accountName == g_Income || accountName == g_Expense || sumChange == 0.0) {
warnMsgParameterInvalid();
return;
}
double oriSurplus = 0.0;
if (!accountExists(accountName)) {
warnMsgParameterInvalid();
return;
}
QSqlQuery q1;
QString s1;
s1.append("SELECT Surplus FROM ");
s1.append(TableNameAccount);
s1.append(" WHERE Name = '");
s1.append(accountName);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
oriSurplus = q1.value(0).toDouble();
}
QSqlQuery q2;
QString s2;
s2.append("UPDATE ");
s2.append(TableNameAccount);
s2.append(" SET Surplus = ");
s2.append(QString::number(oriSurplus + sumChange, 'f'));
s2.append(" WHERE Name = '");
s2.append(accountName);
s2.append("'");
if (!q2.exec(s2)) warnMsgDatabaseOperationFailed();
}
void renameCategory(ABCategory oriCtg, ABCategory newCtg)
{
if (oriCtg.bigType != newCtg.bigType) {
/// BigType不能变
warnMsgParameterInvalid();
return;
}
renameCategory(oriCtg.bigType,
oriCtg.midType, oriCtg.smallType,
newCtg.midType, newCtg.smallType);
}
void renameCategory(QString bigType,
QString oriMidType, QString oriSmallType,
QString newMidType, QString newSmallType)
{
if (invalidBigType(bigType)) {
warnMsgParameterInvalid();
return;
}
if (oriMidType == g_Default || newMidType == g_Default) {
/// 不能把"xxx -> Default -> Default"变成其他的
/// 也不能把category变成"xxx -> Default -> Default",因为这相当于删除操作,因此不允许
warnMsgParameterInvalid();
return;
}
if (oriSmallType.isEmpty()) {
oriSmallType = g_Default;
}
if (newSmallType.isEmpty()) {
newSmallType = g_Default;
}
if (oriSmallType == g_Default) {
if (newSmallType == g_Default) {
if (categoryExists(bigType, newMidType, newSmallType)) {
warnMsgDisallowedOperation();
} else {
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategoryMid = '");
s1.append(newMidType);
s1.append("' WHERE CategoryMid = '");
s1.append(oriMidType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
QSqlQuery q2;
QString s2;
s2.append("UPDATE ");
s2.append(TableNameCategory);
s2.append(" SET MidType = '");
s2.append(newMidType);
s2.append("' WHERE MidType = '");
s2.append(oriMidType);
s2.append("'");
if (!q2.exec(s2)) warnMsgDatabaseOperationFailed();
}
} else {
if (!categoryExists(bigType, newMidType, newSmallType)) {
if (!categoryExists(bigType, newMidType)) {
insertItemInCategory(bigType, newMidType);
}
insertItemInCategory(bigType, newMidType, newSmallType);
}
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategoryMid = '");
s1.append(newMidType);
s1.append("' AND CategorySmall = '");
s1.append(newSmallType);
s1.append("' WHERE CategoryMid = '");
s1.append(oriMidType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
deleteItemInCategory(bigType, oriMidType);
}
} else {
if (newSmallType == g_Default) {
if (!categoryExists(bigType, newMidType)) {
insertItemInCategory(bigType, newMidType);
}
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategoryMid = '");
s1.append(newMidType);
s1.append("' AND CategorySmall = '");
s1.append(newSmallType);
s1.append("' WHERE CategoryMid = '");
s1.append(oriMidType);
s1.append("' AND CategorySmall = '");
s1.append(oriSmallType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
deleteItemInCategory(bigType, oriMidType, oriSmallType);
} else {
if (!categoryExists(bigType, newMidType, newSmallType)) {
if (!categoryExists(bigType, newMidType)) {
insertItemInCategory(bigType, newMidType);
}
insertItemInCategory(bigType, newMidType, newSmallType);
}
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameTransaction);
s1.append(" SET CategoryMid = '");
s1.append(newMidType);
s1.append("' AND CategorySmall = '");
s1.append(newSmallType);
s1.append("' WHERE CategoryMid = '");
s1.append(oriMidType);
s1.append("' AND CategorySmall = '");
s1.append(oriSmallType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
deleteItemInCategory(bigType, oriMidType, oriSmallType);
}
}
}
void updateTransaction(TransactionItem oriItem, TransactionItem newItem)
{
deleteItemInTransaction(oriItem.Type,
oriItem.CategoryMid,
oriItem.CategorySmall,
oriItem.Year,
oriItem.Month,
oriItem.Day,
oriItem.Hour,
oriItem.Minute,
oriItem.Sum,
oriItem.FromAccount,
oriItem.ToAccount,
oriItem.Detail,
oriItem.InsertTime);
insertItemInTransaction(newItem.Type,
newItem.CategoryMid,
newItem.CategorySmall,
newItem.Year,
newItem.Month,
newItem.Day,
newItem.Hour,
newItem.Minute,
newItem.Sum,
newItem.FromAccount,
newItem.ToAccount,
newItem.Detail,
newItem.InsertTime);
}
QStringList accountNameList()
{
QStringList names;
QSqlQuery q1;
QString s1;
s1 = QString("SELECT Name FROM ") + TableNameAccount + QString(" ORDER BY Name");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
names.append(q1.value(0).toString());
}
qSort(names);
return names;
}
QVector<AccountItem> accountList()
{
QVector<AccountItem> vec;
QSqlQuery q1;
QString s1;
s1.append("SELECT * FROM ");
s1.append(TableNameAccount);
s1.append(" ORDER BY Name");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
AccountItem curItem;
curItem.Name = q1.value(0).toString();
curItem.CreateYear = q1.value(0).toInt();
curItem.CreateMonth = q1.value(0).toInt();
curItem.CreateDay = q1.value(0).toInt();
curItem.CreateHour = q1.value(0).toInt();
curItem.CreateMinute = q1.value(0).toInt();
curItem.Surplus = q1.value(0).toDouble();
curItem.InsertTime = q1.value(0).toString();
vec.append(curItem);
}
return vec;
}
QStringList surplus0AccountList()
{
QStringList names;
QSqlQuery q1;
QString s1;
s1 = QString("SELECT Name FROM ") + TableNameAccount + QString(" WHERE Surplus = 0 ORDER BY Name");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
names.append(q1.value(0).toString());
}
if (names.count() > 1) {
qSort(names);
}
return names;
}
QVector<ABCategory> categoryList(QString bigType)
{
QVector<ABCategory> vec;
if (!bigType.isEmpty() && invalidBigType(bigType)) {
warnMsgParameterInvalid();
return vec;
}
QSqlQuery queryIncome, queryExpense;
QString strQueryIncome, strQueryExpense;
strQueryIncome = QString("SELECT * FROM ")
+ TableNameCategory
+ QString(" WHERE BigType = '")
+ g_Income
+ QString("' ORDER BY MidType, SmallType");
strQueryExpense = QString("SELECT * FROM ")
+ TableNameCategory
+ QString(" WHERE BigType = '")
+ g_Expense
+ QString("' ORDER BY MidType, SmallType");
if (bigType.isEmpty() || bigType == g_Income) {
if (!queryIncome.exec(strQueryIncome)) warnMsgDatabaseOperationFailed();
while (queryIncome.next()) {
ABCategory ctg;
ctg.bigType = queryIncome.value(0).toString();
ctg.midType = queryIncome.value(1).toString();
ctg.smallType = queryIncome.value(2).toString();
vec.append(ctg);
}
}
if (bigType.isEmpty() || bigType == g_Expense) {
if (!queryExpense.exec(strQueryExpense)) warnMsgDatabaseOperationFailed();
while (queryExpense.next()) {
ABCategory ctg;
ctg.bigType = queryExpense.value(0).toString();
ctg.midType = queryExpense.value(1).toString();
ctg.smallType = queryExpense.value(2).toString();
vec.append(ctg);
}
}
return vec;
}
QStringList midTypeList(QString bigType)
{
QStringList sl;
if (invalidBigType(bigType)) {
warnMsgParameterInvalid();
return sl;
}
QSqlQuery q1;
QString s1;
s1 = QString("SELECT DISTINCT MidType FROM ")
+ TableNameCategory
+ QString(" WHERE BigType = '")
+ bigType
+ QString("' ORDER BY MidType");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
sl.append(q1.value(0).toString());
}
qSort(sl);
return sl;
}
QStringList smallTypeList(QString bigType, QString midType)
{
QStringList sl;
if (invalidBigType(bigType)) {
warnMsgParameterInvalid();
return sl;
}
QSqlQuery q1;
QString s1;
s1 = QString("SELECT DISTINCT SmallType FROM ")
+ TableNameCategory
+ QString(" WHERE BigType = '")
+ bigType
+ QString("' AND MidType = '")
+ midType
+ QString("' ORDER BY SmallType");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
sl.append(q1.value(0).toString());
}
if (sl.count() > 1) {
qSort(sl);
}
return sl;
}
QStringList midTypeSepSmallTypeList(QString bigType)
{
QStringList sl;
if (invalidBigType(bigType)) {
warnMsgParameterInvalid();
return sl;
}
QSqlQuery q1;
QString s1;
s1 = QString("SELECT MidType, SmallType FROM ")
+ TableNameCategory
+ QString(" WHERE BigType = '")
+ bigType
+ QString("' ORDER BY MidType, SmallType");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
sl.append(q1.value(0).toString() + CategorySeparator + q1.value(1).toString());
}
qSort(sl);
return sl;
}
QStringList transactionList(int beginYear, int beginMonth, int beginDay, int beginHour, int beginMinute,
int endYear, int endMonth, int endDay, int endHour, int endMinute)
{
QStringList sl;
QSqlQuery q1;
QString s1;
s1 = QString("SELECT * FROM ")
+ TableNameTransaction
+ QString(" WHERE Year >= ")
+ QString::number(beginYear)
+ QString(" AND Year <= ")
+ QString::number(endYear)
+ QString(" AND Month >= ")
+ QString::number(beginMonth)
+ QString(" AND Month <= ")
+ QString::number(endMonth)
+ QString(" AND Day >= ")
+ QString::number(beginDay)
+ QString(" AND Day <= ")
+ QString::number(endDay)
+ QString(" AND Hour >= ")
+ QString::number(beginHour)
+ QString(" AND Hour <= ")
+ QString::number(endHour)
+ QString(" AND Minute >= ")
+ QString::number(beginMinute)
+ QString(" AND Minute <= ")
+ QString::number(endMinute)
+ QString(" ORDER BY Year, Month, Day, Hour, Minute");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
int bigMax = 0;
int midMax = 0;
int smallMax = 0;
int sumMax = 0;
int fromMax = 0;
int toMax = 0;
int detailMax = 0;
QStringList slBig, slMid, slSmall, slDt, slSum, slFrom, slTo, slDetail;
while (q1.next()) {
QString bigType = q1.value(0).toString();
QString midType = q1.value(1).toString();
QString smallType = q1.value(2).toString();
int year = q1.value(3).toInt();
int month = q1.value(4).toInt();
int day = q1.value(5).toInt();
int hour = q1.value(6).toInt();
int minute = q1.value(7).toInt();
double sum = q1.value(8).toDouble();
QString fromAccount = q1.value(9).toString();
QString toAccount = q1.value(10).toString();
QString detail = q1.value(11).toString();
QString dt = YMDHM2yyyymmddhhmm(year, month, day, hour, minute);
QString sSum = getMoneyFormNumber(sum);
if (bigMax < lengthOfStr(bigType))
bigMax = lengthOfStr(bigType);
if (midMax < lengthOfStr(midType))
midMax = lengthOfStr(midType);
if (smallMax < lengthOfStr(smallType))
smallMax = lengthOfStr(smallType);
if (sumMax < lengthOfStr(sSum))
sumMax = lengthOfStr(sSum);
if (fromMax < lengthOfStr(fromAccount))
fromMax = lengthOfStr(fromAccount);
if (toMax < lengthOfStr(toAccount))
toMax = lengthOfStr(toAccount);
if (detailMax < lengthOfStr(detail))
detailMax = lengthOfStr(detail);
slBig.append(bigType);
slMid.append(midType);
slSmall.append(smallType);
slDt.append(dt);
slSum.append(sSum);
slFrom.append(fromAccount);
slTo.append(toAccount);
slDetail.append(detail);
}
for (int i = 0; i < slBig.count(); i++) {
QString type;
type.append(slBig.at(i));
if (lengthOfStr(slBig.at(i)) < bigMax) {
int j = bigMax - lengthOfStr(slBig.at(i));
for (int k = 0; k < j; k++) {
type.append(" ");
}
}
type.append(CategorySeparator);
type.append(slMid.at(i));
if (lengthOfStr(slMid.at(i)) < midMax) {
int j = midMax - lengthOfStr(slMid.at(i));
for (int k = 0; k < j; k++) {
type.append(" ");
}
}
type.append(CategorySeparator);
type.append(slSmall.at(i));
if (lengthOfStr(slSmall.at(i)) < smallMax) {
int j = smallMax - lengthOfStr(slSmall.at(i));
for (int k = 0; k < j; k++) {
type.append(" ");
}
}
QString fromTo;
fromTo.append(slFrom.at(i));
if (lengthOfStr(slFrom.at(i)) < fromMax) {
int j = fromMax - lengthOfStr(slFrom.at(i));
for (int k = 0; k < j; k++) {
fromTo.append(" ");
}
}
fromTo.append(CategorySeparator);
fromTo.append(slTo.at(i));
if (lengthOfStr(slTo.at(i)) < toMax) {
int j = toMax - lengthOfStr(slTo.at(i));
for (int k = 0; k < j; k++) {
fromTo.append(" ");
}
}
QString sSum;
if (slSum.at(i).count() < sumMax) {
int j = sumMax - slSum.at(i).count();
for (int k = 0; k < j; k++) {
sSum.append(" ");
}
}
sSum.append(slSum.at(i));
QString tran = slDt.at(i)
+ QString(" | ")
+ type
+ QString(" | ")
+ sSum
+ QString(" | ")
+ fromTo
+ QString(" | ")
+ slDetail.at(i);
sl.append(tran);
}
return sl;
}
QVector<TransactionItem> allTransactions()
{
QVector<TransactionItem> vec;
QSqlQuery q1;
QString s1;
s1.append("SELECT * FROM ");
s1.append(TableNameTransaction);
s1.append(" ORDER BY Month, Day, Hour, Minute");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
TransactionItem curItem;
curItem.Type = q1.value(0).toString();
curItem.CategoryMid = q1.value(1).toString();
curItem.CategorySmall = q1.value(2).toString();
curItem.Year = q1.value(3).toInt();
curItem.Month = q1.value(4).toInt();
curItem.Day = q1.value(5).toInt();
curItem.Hour = q1.value(6).toInt();
curItem.Minute = q1.value(7).toInt();
curItem.Sum = q1.value(8).toDouble();
curItem.FromAccount = q1.value(9).toString();
curItem.ToAccount = q1.value(10).toString();
curItem.Detail = q1.value(11).toString();
curItem.InsertTime = q1.value(12).toString();
vec.append(curItem);
}
return vec;
}
QVector<TransactionItem> getTransactionsByMonth(int iYear, QString strMonth)
{
QVector<TransactionItem> vec;
int iMonth = -1;
if (strMonth != "All") {
iMonth = strMonth.toInt();
if (iMonth <= 0 || iMonth > 12) {
return vec;
}
}
QSqlQuery q1;
QString s1;
s1.append("SELECT * FROM ");
s1.append(TableNameTransaction);
s1.append(" WHERE Year = ");
s1.append(QString::number(iYear));
if (strMonth == "All") {
s1.append(" ORDER BY Month, Day, Hour, Minute");
} else {
s1.append(" and Month = ");
s1.append(QString::number(iMonth));
s1.append(" ORDER BY Day, Hour, Minute");
}
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
TransactionItem curItem;
curItem.Type = q1.value(0).toString();
curItem.CategoryMid = q1.value(1).toString();
curItem.CategorySmall = q1.value(2).toString();
curItem.Year = q1.value(3).toInt();
curItem.Month = q1.value(4).toInt();
curItem.Day = q1.value(5).toInt();
curItem.Hour = q1.value(6).toInt();
curItem.Minute = q1.value(7).toInt();
curItem.Sum = q1.value(8).toDouble();
curItem.FromAccount = q1.value(9).toString();
curItem.ToAccount = q1.value(10).toString();
curItem.Detail = q1.value(11).toString();
curItem.InsertTime = q1.value(12).toString();
vec.append(curItem);
}
return vec;
}
bool invalidBigType(QString bigType)
{
if (bigType != g_Income && bigType != g_Expense) {
/// warnMsgParameterInvalid();
/// 这里不用warn,因为之后都warn了
return true;
}
return false;
}
bool accountExists(QString accountName)
{
if (accountName.isEmpty()) {
return false;
}
QSqlQuery q1;
QString s1;
s1.append("SELECT Name FROM ");
s1.append(TableNameAccount);
s1.append(" WHERE Name = '");
s1.append(accountName);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
int nCount = 0;
while (q1.next()) {
nCount++;
}
if (nCount == 0) {
return false;
} else if (nCount == 1) {
return true;
} else {
assert(0);
}
return true;
}
bool categoryExists(QString bigType, QString midType, QString smallType)
{
if (invalidBigType(bigType)) {
return false;
}
if (midType.isEmpty()) {
midType = g_Default;
smallType = g_Default;
} else if (smallType.isEmpty()) {
smallType = g_Default;
}
QStringList slSmall;
QSqlQuery q1;
QString s1;
s1.append("SELECT SmallType FROM ");
s1.append(TableNameCategory);
s1.append(" WHERE BigType = '");
s1.append(bigType);
s1.append("' AND MidType = '");
s1.append(midType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
slSmall.append(q1.value(0).toString());
}
if (slSmall.count() == 0) {
return false;
} else {
if (!slSmall.contains(g_Default)) {
assert(0);
} else {
if (slSmall.contains(smallType)) {
return true;
} else {
return false;
}
}
}
}
bool transactionExists(QString Type,
QString CategoryMid,
QString CategorySmall,
int Year,
int Month,
int Day,
int Hour,
int Minute,
double Sum,
QString FromAccount,
QString ToAccount,
QString Detail)
{
if (Type == g_Income) {
FromAccount = g_Income;
} else if (Type == g_Expense) {
ToAccount == g_Expense;
}
QSqlQuery q6;
QString s6;
s6.append("SELECT * FROM ");
s6.append(TableNameTransaction);
s6.append(" WHERE Type = '");
s6.append(Type);
s6.append("' AND CategoryMid = '");
s6.append(CategoryMid);
s6.append("' AND CategorySmall = '");
s6.append(CategorySmall);
s6.append("' AND Year = ");
s6.append(QString::number(Year));
s6.append(" AND Month = ");
s6.append(QString::number(Month));
s6.append(" AND Day = ");
s6.append(QString::number(Day));
s6.append(" AND Hour = ");
s6.append(QString::number(Hour));
s6.append(" AND Minute = ");
s6.append(QString::number(Minute));
s6.append(" AND Sum = ");
s6.append(QString::number(Sum, 'f'));
if (!FromAccount.isEmpty()) {
s6.append(" AND FromAccount = '");
s6.append(FromAccount);
s6.append("'");
}
if (!ToAccount.isEmpty()) {
s6.append(" AND ToAccount = '");
s6.append(ToAccount);
s6.append("'");
}
if (!Detail.isEmpty()) {
s6.append(" AND Detail = '");
s6.append(Detail);
s6.append("'");
}
if (!q6.exec(s6)) warnMsgDatabaseOperationFailed();
int nFoundCount = 0;
while (q6.next()) {
nFoundCount++;
}
if (nFoundCount == 0) {
return false;
} else {
return true;
}
}
QStringList getAllAccountSurplusByDateTime(QDateTime dt, bool bDESC)
{
QStringList sl;
/// 判断dt是否比所有Transaction最新的时间还往后,如果是的话,直接取Surplus,否则要计算
bool b = isDtLaterThanLatestTransaction(dt);
QMap<QString, double> map;
QStringList slAccountName = accountNameList();
for (int i = 0; i < slAccountName.count(); i++) {
map.insert(slAccountName.at(i), 0.0);
}
if (b) {
QSqlQuery q1;
QString s1;
s1.append("SELECT Name, Surplus FROM ");
s1.append(TableNameAccount);
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
QString strName;
double fSurplus;
strName = q1.value(0).toString();
fSurplus = q1.value(1).toDouble();
map[strName] = fSurplus;
}
} else {
QSqlQuery q1;
QString s1;
s1.append("SELECT Year, Month, Day, Hour, Minute, FromAccount, ToAccount, Sum FROM ");
s1.append(TableNameTransaction);
s1.append(" ORDER BY Year, Month, Day, Hour, Minute");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
int year = q1.value(0).toInt();
int month = q1.value(1).toInt();
int day = q1.value(2).toInt();
int hour = q1.value(3).toInt();
int minute = q1.value(4).toInt();
QString fromAccount = q1.value(5).toString();
QString toAccount = q1.value(6).toString();
double sum = q1.value(7).toDouble();
QDateTime dtTran(QDate(year, month, day),
QTime(hour, minute));
if (dtTran > dt) {
continue;
}
if (fromAccount != g_Income) {
map[fromAccount] = map[fromAccount] - sum;
}
if (toAccount != g_Expense) {
map[toAccount] = map[toAccount] + sum;
}
}
}
if (bDESC) {
QMap<QString, double>::const_iterator it = map.constEnd();
while (it != map.constBegin()) {
--it;
sl.append(it.key() + CategorySeparator + QString::number(it.value(), 'f'));
}
} else {
QMap<QString, double>::const_iterator it = map.constBegin();
while (it != map.constEnd()) {
sl.append(it.key() + CategorySeparator + QString::number(it.value(), 'f'));
++it;
}
}
return sl;
}
bool isDtLaterThanLatestTransaction(QDateTime dt)
{
bool bLater = false;
bool bFoundTransaction = false;
QSqlQuery q1;
QString s1;
s1.append("SELECT Year, Month, Day, Hour, Minute FROM ");
s1.append(TableNameTransaction);
s1.append(" ORDER BY Year DESC, Month DESC, Day DESC, Hour DESC, Minute DESC");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
while (q1.next()) {
bFoundTransaction = true;
int year = q1.value(0).toInt();
int month = q1.value(1).toInt();
int day = q1.value(2).toInt();
int hour = q1.value(3).toInt();
int minute = q1.value(4).toInt();
QDateTime dtMax = QDateTime(QDate(year, month, day), QTime(hour, minute));
if (dt >= dtMax) {
bLater = true;
}
break;
}
if (!bFoundTransaction) {
bLater = true;
}
return bLater;
}
void singleInsertItemInAccount(QString Name,
int CreateYear, int CreateMonth, int CreateDay, int CreateHour, int CreateMinute,
double Surplus, QString InsertTime)
{
QSqlQuery q1;
QString s1;
s1.append("INSERT INTO ");
s1.append(TableNameAccount);
s1.append(" (Name, CreateYear, CreateMonth, CreateDay, CreateHour, CreateMinute, Surplus, InsertTime) VALUES ('");
s1.append(Name);
s1.append("', ");
s1.append(QString::number(CreateYear));
s1.append(", ");
s1.append(QString::number(CreateMonth));
s1.append(", ");
s1.append(QString::number(CreateDay));
s1.append(", ");
s1.append(QString::number(CreateHour));
s1.append(", ");
s1.append(QString::number(CreateMinute));
s1.append(", ");
s1.append(QString::number(Surplus, 'f'));
s1.append(", '");
s1.append(InsertTime);
s1.append("')");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void singleInsertItemInCategory(QString BigType, QString MidType, QString SmallType, QString InsertTime)
{
QSqlQuery q1;
QString s1;
s1.append("INSERT INTO ");
s1.append(TableNameCategory);
s1.append(" (BigType, MidType, SmallType, InsertTime) VALUES ('");
s1.append(BigType);
s1.append("', '");
s1.append(MidType);
s1.append("', '");
s1.append(SmallType);
s1.append("', '");
s1.append(InsertTime);
s1.append("')");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void singleInsertItemInTransaction(QString Type, QString CategoryMid, QString CategorySmall,
int Year, int Month, int Day, int Hour, int Minute,
double Sum,
QString FromAccount, QString ToAccount,
QString Detail,
QString InsertTime)
{
QSqlQuery q1;
QString s1;
s1.append("INSERT INTO ");
s1.append(TableNameTransaction);
s1.append(" (Type, CategoryMid, CategorySmall, Year, Month, Day, Hour, Minute, Sum, FromAccount, ToAccount, Detail, InsertTime) VALUES ('");
s1.append(Type);
s1.append("', '");
s1.append(CategoryMid);
s1.append("', '");
s1.append(CategorySmall);
s1.append("', ");
s1.append(QString::number(Year));
s1.append(", ");
s1.append(QString::number(Month));
s1.append(", ");
s1.append(QString::number(Day));
s1.append(", ");
s1.append(QString::number(Hour));
s1.append(", ");
s1.append(QString::number(Minute));
s1.append(", ");
s1.append(QString::number(Sum, 'f'));
s1.append(", '");
s1.append(FromAccount);
s1.append("', '");
s1.append(ToAccount);
s1.append("', '");
s1.append(Detail);
s1.append("', '");
s1.append(InsertTime);
s1.append("')");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
void singleDeleteItemInCategory(QString BigType,
QString MidType,
QString SmallType)
{
if (SmallType.isEmpty()) {
SmallType = g_Default;
}
if (SmallType == g_Default) {
QSqlQuery q1;
QString s1;
s1.append("DELETE FROM ");
s1.append(TableNameCategory);
s1.append(" WHERE BigType = '");
s1.append(BigType);
s1.append("' AND MidType = '");
s1.append(MidType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
} else {
QSqlQuery q1;
QString s1;
s1.append("DELETE FROM ");
s1.append(TableNameCategory);
s1.append(" WHERE BigType = '");
s1.append(BigType);
s1.append("' AND MidType = '");
s1.append(MidType);
s1.append("' AND SmallType = '");
s1.append(SmallType);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
}
void forceChangeSurplus(QString accountName, double surplus)
{
if (accountName == g_Income || accountName == g_Expense) {
warnMsgParameterInvalid();
return;
}
if (!accountExists(accountName)) {
warnMsgParameterInvalid();
return;
}
QSqlQuery q1;
QString s1;
s1.append("UPDATE ");
s1.append(TableNameAccount);
s1.append(" SET Surplus = ");
s1.append(QString::number(surplus, 'f'));
s1.append(" WHERE Name = '");
s1.append(accountName);
s1.append("'");
if (!q1.exec(s1)) warnMsgDatabaseOperationFailed();
}
| [
"liyijipersonal@cb5c7fab-9a5d-ead0-01e1-64e3a19da7e9"
] | liyijipersonal@cb5c7fab-9a5d-ead0-01e1-64e3a19da7e9 |
848bc232fefbfa7b12ad80992f4065922a32834b | d17d3be48d1a72ff619458a81637bc0a8235fb87 | /OpenPlanet/eWalletLib/GeneratedFiles/ui_changenumwidget.h | 2b707ee1380e8498b6d3660925ad78e6d0bb35cd | [
"Apache-2.0"
] | permissive | xOpenPlanet/Windows | 2350e013c9815d7c21bb2ec1f86a08065e52d084 | 9609f4ef6fb66e2f852fedb44c8e2f36668a890b | refs/heads/master | 2020-03-15T05:56:32.603021 | 2018-06-01T07:47:31 | 2018-06-01T07:47:31 | 131,997,337 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,442 | h | /********************************************************************************
** Form generated from reading UI file 'changenumwidget.ui'
**
** Created by: Qt User Interface Compiler version 5.5.1
**
** WARNING! All changes made in this file will be lost when recompiling UI file!
********************************************************************************/
#ifndef UI_CHANGENUMWIDGET_H
#define UI_CHANGENUMWIDGET_H
#include <QtCore/QVariant>
#include <QtWidgets/QAction>
#include <QtWidgets/QApplication>
#include <QtWidgets/QButtonGroup>
#include <QtWidgets/QHBoxLayout>
#include <QtWidgets/QHeaderView>
#include <QtWidgets/QLabel>
#include <QtWidgets/QLineEdit>
#include <QtWidgets/QPushButton>
#include <QtWidgets/QVBoxLayout>
#include <QtWidgets/QWidget>
QT_BEGIN_NAMESPACE
class Ui_ChangeNumWidget
{
public:
QWidget *backWidget;
QVBoxLayout *verticalLayout;
QLabel *label_1;
QWidget *midWidget;
QHBoxLayout *horizontalLayout;
QLabel *coinLabel;
QLineEdit *lineEdit;
QPushButton *enterBtn;
void setupUi(QWidget *ChangeNumWidget)
{
if (ChangeNumWidget->objectName().isEmpty())
ChangeNumWidget->setObjectName(QStringLiteral("ChangeNumWidget"));
ChangeNumWidget->resize(300, 200);
ChangeNumWidget->setStyleSheet(QLatin1String("QWidget#ChangeNumWidget\n"
"{\n"
"background-color: rgba(0,0,0,0);\n"
"}"));
backWidget = new QWidget(ChangeNumWidget);
backWidget->setObjectName(QStringLiteral("backWidget"));
backWidget->setGeometry(QRect(0, 0, 300, 200));
backWidget->setStyleSheet(QLatin1String("QWidget#backWidget\n"
"{\n"
"background-color: #15447c;\n"
"border: none;\n"
"border-radius: 15px;\n"
"}"));
verticalLayout = new QVBoxLayout(backWidget);
verticalLayout->setSpacing(15);
verticalLayout->setContentsMargins(11, 11, 11, 11);
verticalLayout->setObjectName(QStringLiteral("verticalLayout"));
verticalLayout->setContentsMargins(20, 20, 20, 20);
label_1 = new QLabel(backWidget);
label_1->setObjectName(QStringLiteral("label_1"));
QSizePolicy sizePolicy(QSizePolicy::Preferred, QSizePolicy::Expanding);
sizePolicy.setHorizontalStretch(0);
sizePolicy.setVerticalStretch(0);
sizePolicy.setHeightForWidth(label_1->sizePolicy().hasHeightForWidth());
label_1->setSizePolicy(sizePolicy);
label_1->setMaximumSize(QSize(16777215, 16777215));
QFont font;
font.setFamily(QString::fromUtf8("\345\276\256\350\275\257\351\233\205\351\273\221"));
font.setPointSize(12);
label_1->setFont(font);
label_1->setStyleSheet(QLatin1String("QLabel#label_1\n"
"{\n"
"color: #6a82a5;\n"
"background-color: rgba(0,0,0, 0);\n"
"}"));
label_1->setAlignment(Qt::AlignLeading|Qt::AlignLeft|Qt::AlignTop);
verticalLayout->addWidget(label_1);
midWidget = new QWidget(backWidget);
midWidget->setObjectName(QStringLiteral("midWidget"));
sizePolicy.setHeightForWidth(midWidget->sizePolicy().hasHeightForWidth());
midWidget->setSizePolicy(sizePolicy);
midWidget->setStyleSheet(QLatin1String("QWidget#midWidget\n"
"{\n"
"background-color: rgba(0,0,0, 0);\n"
"border: none;\n"
"border-bottom: 1px solid #6a82a5;\n"
"}"));
horizontalLayout = new QHBoxLayout(midWidget);
horizontalLayout->setSpacing(6);
horizontalLayout->setContentsMargins(11, 11, 11, 11);
horizontalLayout->setObjectName(QStringLiteral("horizontalLayout"));
coinLabel = new QLabel(midWidget);
coinLabel->setObjectName(QStringLiteral("coinLabel"));
coinLabel->setMinimumSize(QSize(40, 40));
coinLabel->setMaximumSize(QSize(40, 40));
coinLabel->setStyleSheet(QLatin1String("QLabel#coinLabel\n"
"{\n"
"background-color: rgba(0,0,0,0);\n"
"border-image: url(:/ewallet/Resources/ewallet/balance.png);\n"
"}"));
horizontalLayout->addWidget(coinLabel);
lineEdit = new QLineEdit(midWidget);
lineEdit->setObjectName(QStringLiteral("lineEdit"));
QSizePolicy sizePolicy1(QSizePolicy::Expanding, QSizePolicy::Expanding);
sizePolicy1.setHorizontalStretch(0);
sizePolicy1.setVerticalStretch(0);
sizePolicy1.setHeightForWidth(lineEdit->sizePolicy().hasHeightForWidth());
lineEdit->setSizePolicy(sizePolicy1);
QFont font1;
font1.setFamily(QString::fromUtf8("\345\276\256\350\275\257\351\233\205\351\273\221"));
font1.setPointSize(18);
lineEdit->setFont(font1);
lineEdit->setContextMenuPolicy(Qt::NoContextMenu);
lineEdit->setStyleSheet(QLatin1String("QLineEdit\n"
"{\n"
"border: none;\n"
"color: white;\n"
"background-color: rgba(0,0,0, 0);\n"
"}"));
lineEdit->setAlignment(Qt::AlignCenter);
horizontalLayout->addWidget(lineEdit);
verticalLayout->addWidget(midWidget);
enterBtn = new QPushButton(backWidget);
enterBtn->setObjectName(QStringLiteral("enterBtn"));
QSizePolicy sizePolicy2(QSizePolicy::Minimum, QSizePolicy::Expanding);
sizePolicy2.setHorizontalStretch(0);
sizePolicy2.setVerticalStretch(0);
sizePolicy2.setHeightForWidth(enterBtn->sizePolicy().hasHeightForWidth());
enterBtn->setSizePolicy(sizePolicy2);
enterBtn->setFont(font);
enterBtn->setCursor(QCursor(Qt::PointingHandCursor));
enterBtn->setStyleSheet(QLatin1String("QPushButton#enterBtn\n"
"{\n"
"color: white;\n"
"border: none;\n"
"background-color: #108ee9;\n"
"border-radius: 4px;\n"
"}"));
verticalLayout->addWidget(enterBtn);
retranslateUi(ChangeNumWidget);
QMetaObject::connectSlotsByName(ChangeNumWidget);
} // setupUi
void retranslateUi(QWidget *ChangeNumWidget)
{
ChangeNumWidget->setWindowTitle(QApplication::translate("ChangeNumWidget", "ChangeNumWidget", 0));
label_1->setText(QApplication::translate("ChangeNumWidget", "\344\272\244\346\215\242\346\225\260\351\207\217", 0));
coinLabel->setText(QString());
lineEdit->setInputMask(QString());
lineEdit->setText(QString());
enterBtn->setText(QApplication::translate("ChangeNumWidget", "\347\241\256\345\256\232", 0));
} // retranslateUi
};
namespace Ui {
class ChangeNumWidget: public Ui_ChangeNumWidget {};
} // namespace Ui
QT_END_NAMESPACE
#endif // UI_CHANGENUMWIDGET_H
| [
"fanwenxing@pansoft.com"
] | fanwenxing@pansoft.com |
b1490899cb7496f8102379c69eebfa2a5a98cdf7 | 521685507e5b26ec9be38b39a249bdc1ee638138 | /Servers/Filters/vtkImageSliceMapper.h | c33ac6c30c843bce5fc8c433042ee42facbdd8c1 | [
"LicenseRef-scancode-paraview-1.2"
] | permissive | matthb2/ParaView-beforekitwareswtichedtogit | 6ad4662a1ad8c3d35d2c41df209fc4d78b7ba298 | 392519e17af37f66f6465722930b3705c1c5ca6c | refs/heads/master | 2020-04-05T05:11:15.181579 | 2009-05-26T20:50:10 | 2009-05-26T20:50:10 | 211,087 | 1 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 4,668 | h | /*=========================================================================
Program: Visualization Toolkit
Module: $RCSfile$
Copyright (c) Ken Martin, Will Schroeder, Bill Lorensen
All rights reserved.
See Copyright.txt or http://www.kitware.com/Copyright.htm for details.
This software is distributed WITHOUT ANY WARRANTY; without even
the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR
PURPOSE. See the above copyright notice for more information.
=========================================================================*/
// .NAME vtkImageSliceMapper - Mapper for vtkImagerData that renders the image
// using a texture applied to a quad.
// .SECTION Description
// vtkImageSliceMapper is a mapper for vtkImagerData that renders the image by
// loading the image as a texture and then applying it to a quad. For 3D images,
// this mapper only shows a single Z slice which can be choosen using SetZSlice.
// By default, the image data scalars are rendering, however, this mapper
// provides API to select another point or cell data array. Internally, this
// mapper uses painters similar to those employed by vtkPainterPolyDataMapper.
// .SECTION See Also
// vtkPainterPolyDataMapper
#ifndef __vtkImageSliceMapper_h
#define __vtkImageSliceMapper_h
#include "vtkMapper.h"
#include "vtkStructuredData.h" // needed for VTK_*_PLANE
class vtkImageData;
class vtkRenderer;
class vtkPainter;
class VTK_EXPORT vtkImageSliceMapper : public vtkMapper
{
public:
static vtkImageSliceMapper* New();
vtkTypeRevisionMacro(vtkImageSliceMapper, vtkMapper);
void PrintSelf(ostream& os, vtkIndent indent);
// Description:
// This calls RenderPiece (in a for loop is streaming is necessary).
virtual void Render(vtkRenderer *ren, vtkActor *act);
// Description:
// Get/Set the painter that does the actual rendering.
void SetPainter(vtkPainter*);
vtkGetObjectMacro(Painter, vtkPainter);
// Description:
// Specify the input data to map.
void SetInput(vtkImageData *in);
vtkImageData *GetInput();
// Description:
// Set/Get the current X/Y or Z slice number.
vtkSetMacro(Slice,int);
vtkGetMacro(Slice,int);
//BTX
enum
{
XY_PLANE = VTK_XY_PLANE,
YZ_PLANE = VTK_YZ_PLANE,
XZ_PLANE = VTK_XZ_PLANE,
};
//ETX
vtkSetClampMacro(SliceMode, int, XY_PLANE, XZ_PLANE);
vtkGetMacro(SliceMode, int);
void SetSliceModeToYZPlane()
{ this->SetSliceMode(YZ_PLANE); }
void SetSliceModeToXZPlane()
{ this->SetSliceMode(XZ_PLANE); }
void SetSliceModeToXYPlane()
{ this->SetSliceMode(XY_PLANE); }
// Description:
// When set, the image slice is always rendered in the XY plane (Z==0)
// irrespective of the image bounds. Default if Off.
vtkSetClampMacro(UseXYPlane, int, 0, 1);
vtkBooleanMacro(UseXYPlane, int);
vtkGetMacro(UseXYPlane, int);
// Description:
// Update that sets the update piece first.
virtual void Update();
// Description:
// If you want only a part of the data, specify by setting the piece.
vtkSetMacro(Piece, int);
vtkGetMacro(Piece, int);
vtkSetMacro(NumberOfPieces, int);
vtkGetMacro(NumberOfPieces, int);
vtkSetMacro(NumberOfSubPieces, int);
vtkGetMacro(NumberOfSubPieces, int);
// Description:
// Set the number of ghost cells to return.
vtkSetMacro(GhostLevel, int);
vtkGetMacro(GhostLevel, int);
// Description:
// Return bounding box (array of six doubles) of data expressed as
// (xmin,xmax, ymin,ymax, zmin,zmax).
virtual double *GetBounds();
virtual void GetBounds(double bounds[6])
{this->Superclass::GetBounds(bounds);};
// Description:
// Make a shallow copy of this mapper.
virtual void ShallowCopy(vtkAbstractMapper *m);
//BTX
protected:
vtkImageSliceMapper();
~vtkImageSliceMapper();
// Tell the executive that we accept vtkImageData.
virtual int FillInputPortInformation(int, vtkInformation*);
// Description:
// Perform the actual rendering.
virtual void RenderPiece(vtkRenderer *ren, vtkActor *act);
// Description:
// Called when the PainterInformation becomes obsolete. It is called before
// Render request is propogated to the painter.
void UpdatePainterInformation();
vtkInformation* PainterInformation;
vtkTimeStamp PainterInformationUpdateTime;
vtkPainter* Painter;
int Piece;
int NumberOfSubPieces;
int NumberOfPieces;
int GhostLevel;
int SliceMode;
int Slice;
int UseXYPlane;
private:
vtkImageSliceMapper(const vtkImageSliceMapper&); // Not implemented
void operator=(const vtkImageSliceMapper&); // Not implemented
class vtkObserver;
vtkObserver* Observer;
//ETX
};
#endif
| [
"utkarsh.ayachit@kitware.com"
] | utkarsh.ayachit@kitware.com |
8a14beb7725075472710893c9f84bffdda65458a | fc056b2e63f559087240fed1a77461eb72b2bf8e | /src/server/gameserver/skill/FlashSliding.cpp | 36dd06d7a5ff0daf20d34b24977855baca45355d | [] | no_license | opendarkeden/server | 0bd3c59b837b1bd6e8c52c32ed6199ceb9fbee38 | 3c2054f5d9e16196fc32db70b237141d4a9738d1 | refs/heads/master | 2023-02-18T20:21:30.398896 | 2023-02-15T16:42:07 | 2023-02-15T16:42:07 | 42,562,951 | 48 | 37 | null | 2023-02-15T16:42:10 | 2015-09-16T03:42:35 | C++ | UHC | C++ | false | false | 5,603 | cpp | //////////////////////////////////////////////////////////////////////////////
// Filename : FlashSliding.cpp
// Written by :
// Description :
//////////////////////////////////////////////////////////////////////////////
#include "FlashSliding.h"
#include "GCSkillToObjectOK1.h"
#include "GCSkillToObjectOK2.h"
#include "GCStatusCurrentHP.h"
//////////////////////////////////////////////////////////////////////////////
// 슬레이어 오브젝트 핸들러
//////////////////////////////////////////////////////////////////////////////
void FlashSliding::execute(Slayer * pSlayer, ObjectID_t TargetObjectID, SkillSlot * pSkillSlot, CEffectID_t CEffectID)
{
__BEGIN_TRY
//cout << "TID[" << Thread::self() << "]" << getSkillHandlerName() << " Begin" << endl;
Assert(pSlayer != NULL);
Assert(pSkillSlot != NULL);
try
{
Player* pPlayer = pSlayer->getPlayer();
Zone* pZone = pSlayer->getZone();
Assert(pPlayer != NULL);
Assert(pZone != NULL);
Creature* pTargetCreature = pZone->getCreature(TargetObjectID);
//Assert(pTargetCreature != NULL);
// NoSuch제거. by sigi. 2002.5.2
// NPC는 공격할 수가 없다.
if (pTargetCreature==NULL
|| pTargetCreature->isNPC())
{
executeSkillFailException(pSlayer, getSkillType());
//cout << "TID[" << Thread::self() << "]" << getSkillHandlerName() << " End" << endl;
return;
}
bool bIncreaseDomainExp = pSlayer->isRealWearingEx(Slayer::WEAR_RIGHTHAND);
// 무장하고 있는 무기가 널이거나, 검이 아니라면 기술을 사용할 수 없다.
Item* pItem = pSlayer->getWearItem(Slayer::WEAR_RIGHTHAND);
if (pItem == NULL)
{
executeSkillFailException(pSlayer, getSkillType());
//cout << "TID[" << Thread::self() << "]" << getSkillHandlerName() << " End" << endl;
return;
}
GCSkillToObjectOK1 _GCSkillToObjectOK1;
GCSkillToObjectOK2 _GCSkillToObjectOK2;
SkillType_t SkillType = pSkillSlot->getSkillType();
SkillInfo* pSkillInfo = g_pSkillInfoManager->getSkillInfo(SkillType);
SkillDomainType_t DomainType = pSkillInfo->getDomainType();
SkillLevel_t SkillLevel = pSkillSlot->getExpLevel();
int RequiredMP = (int)pSkillInfo->getConsumeMP();
bool bManaCheck = hasEnoughMana(pSlayer, RequiredMP);
bool bTimeCheck = verifyRunTime(pSkillSlot);
bool bRangeCheck = verifyDistance(pSlayer, pTargetCreature, computeSkillRange(pSkillSlot, pSkillInfo));
bool bHitRoll = HitRoll::isSuccess(pSlayer, pTargetCreature, SkillLevel/2);
bool bCanHit = canHit(pSlayer, pTargetCreature, SkillType) && canAttack(pSlayer, pTargetCreature);
bool bPK = verifyPK(pSlayer, pTargetCreature);
bool bEffected = pSlayer->hasRelicItem()
|| pSlayer->isFlag(Effect::EFFECT_CLASS_HAS_FLAG)
|| pSlayer->isFlag(Effect::EFFECT_CLASS_HAS_SWEEPER);
if (bManaCheck && bTimeCheck && bRangeCheck && bHitRoll && bCanHit && bPK && !bEffected )
{
// 빠르게 PC를 움직여준다.
if (pZone->moveFastPC(pSlayer, pSlayer->getX(), pSlayer->getY(), pTargetCreature->getX(), pTargetCreature->getY(), getSkillType()))
{
decreaseMana(pSlayer, RequiredMP, _GCSkillToObjectOK1);
SkillInput input(pSlayer, pSkillSlot);
SkillOutput output;
computeOutput(input, output);
bool bCriticalHit = false;
// 데미지를 준다. (스킬 데미지는 없다.)
Damage_t Damage = computeDamage(pSlayer, pTargetCreature, SkillLevel/5, bCriticalHit);
setDamage(pTargetCreature, Damage, pSlayer, SkillType, &_GCSkillToObjectOK2, &_GCSkillToObjectOK1);
computeAlignmentChange(pTargetCreature, Damage, pSlayer, &_GCSkillToObjectOK2, &_GCSkillToObjectOK1);
decreaseDurability( pSlayer, pTargetCreature, pSkillInfo, &_GCSkillToObjectOK1, &_GCSkillToObjectOK2 );
// 크리티컬 히트라면 상대방을 뒤로 물러나게 한다.
if (bCriticalHit)
{
knockbackCreature(pZone, pTargetCreature, pSlayer->getX(), pSlayer->getY());
}
if (!pTargetCreature->isSlayer())
{
if ( bIncreaseDomainExp )
{
shareAttrExp(pSlayer, Damage, 8, 1, 1, _GCSkillToObjectOK1);
increaseDomainExp(pSlayer, DomainType, pSkillInfo->getPoint(), _GCSkillToObjectOK1, pTargetCreature->getLevel());
increaseSkillExp(pSlayer, DomainType, pSkillSlot, pSkillInfo, _GCSkillToObjectOK1);
}
increaseAlignment(pSlayer, pTargetCreature, _GCSkillToObjectOK1);
}
// 패킷을 준비하고 보낸다.
_GCSkillToObjectOK1.setSkillType(SkillType);
_GCSkillToObjectOK1.setCEffectID(CEffectID);
_GCSkillToObjectOK1.setTargetObjectID(TargetObjectID);
_GCSkillToObjectOK1.setDuration(0);
pPlayer->sendPacket(&_GCSkillToObjectOK1);
_GCSkillToObjectOK2.setObjectID(pSlayer->getObjectID());
_GCSkillToObjectOK2.setSkillType(SkillType);
_GCSkillToObjectOK2.setDuration(0);
if (pTargetCreature->isPC())
{
Player* pTargetPlayer = pTargetCreature->getPlayer();
Assert(pTargetPlayer != NULL);
pTargetPlayer->sendPacket(&_GCSkillToObjectOK2);
}
else
{
Monster * pMonster = dynamic_cast<Monster*>(pTargetCreature);
pMonster->addEnemy(pSlayer);
}
pSkillSlot->setRunTime(output.Delay);
}
else
{
executeSkillFailNormal(pSlayer, getSkillType(), pTargetCreature);
}
}
else
{
executeSkillFailNormal(pSlayer, getSkillType(), pTargetCreature);
}
}
catch (Throwable & t)
{
executeSkillFailException(pSlayer, getSkillType());
}
//cout << "TID[" << Thread::self() << "]" << getSkillHandlerName() << " End" << endl;
__END_CATCH
}
FlashSliding g_FlashSliding;
| [
"tiancaiamao@gmail.com"
] | tiancaiamao@gmail.com |
f739315853e30a71dda5c5ef94db84fa9379b3ed | 6e6913f9dd231de7a7ff5319c15e931be937c720 | /ardrone_arduino/ros_lib/ardrone_autonomy/Navdata.h | bb8d379ee99c1348802fe070869eb31e7ca9bc2d | [] | no_license | PaulWells/autonomous-quadcopter | 4fe854b4b85c9914c8f98c49569d8d24af0c1db0 | dee8880516dba8f0e1f5834f6f53274c847fb32c | refs/heads/master | 2020-12-24T14:01:31.971475 | 2015-02-12T14:44:41 | 2015-02-12T14:44:41 | 25,703,604 | 2 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 31,900 | h | #ifndef _ROS_ardrone_autonomy_Navdata_h
#define _ROS_ardrone_autonomy_Navdata_h
#include <stdint.h>
#include <string.h>
#include <stdlib.h>
#include "ros/msg.h"
#include "std_msgs/Header.h"
namespace ardrone_autonomy
{
class Navdata : public ros::Msg
{
public:
std_msgs::Header header;
float batteryPercent;
uint32_t state;
int32_t magX;
int32_t magY;
int32_t magZ;
int32_t pressure;
int32_t temp;
float wind_speed;
float wind_angle;
float wind_comp_angle;
float rotX;
float rotY;
float rotZ;
int32_t altd;
float vx;
float vy;
float vz;
float ax;
float ay;
float az;
uint8_t motor1;
uint8_t motor2;
uint8_t motor3;
uint8_t motor4;
uint32_t tags_count;
uint8_t tags_type_length;
uint32_t st_tags_type;
uint32_t * tags_type;
uint8_t tags_xc_length;
uint32_t st_tags_xc;
uint32_t * tags_xc;
uint8_t tags_yc_length;
uint32_t st_tags_yc;
uint32_t * tags_yc;
uint8_t tags_width_length;
uint32_t st_tags_width;
uint32_t * tags_width;
uint8_t tags_height_length;
uint32_t st_tags_height;
uint32_t * tags_height;
uint8_t tags_orientation_length;
float st_tags_orientation;
float * tags_orientation;
uint8_t tags_distance_length;
float st_tags_distance;
float * tags_distance;
float tm;
virtual int serialize(unsigned char *outbuffer) const
{
int offset = 0;
offset += this->header.serialize(outbuffer + offset);
union {
float real;
uint32_t base;
} u_batteryPercent;
u_batteryPercent.real = this->batteryPercent;
*(outbuffer + offset + 0) = (u_batteryPercent.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_batteryPercent.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_batteryPercent.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_batteryPercent.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->batteryPercent);
*(outbuffer + offset + 0) = (this->state >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->state >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->state >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->state >> (8 * 3)) & 0xFF;
offset += sizeof(this->state);
union {
int32_t real;
uint32_t base;
} u_magX;
u_magX.real = this->magX;
*(outbuffer + offset + 0) = (u_magX.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_magX.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_magX.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_magX.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->magX);
union {
int32_t real;
uint32_t base;
} u_magY;
u_magY.real = this->magY;
*(outbuffer + offset + 0) = (u_magY.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_magY.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_magY.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_magY.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->magY);
union {
int32_t real;
uint32_t base;
} u_magZ;
u_magZ.real = this->magZ;
*(outbuffer + offset + 0) = (u_magZ.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_magZ.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_magZ.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_magZ.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->magZ);
union {
int32_t real;
uint32_t base;
} u_pressure;
u_pressure.real = this->pressure;
*(outbuffer + offset + 0) = (u_pressure.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_pressure.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_pressure.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_pressure.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->pressure);
union {
int32_t real;
uint32_t base;
} u_temp;
u_temp.real = this->temp;
*(outbuffer + offset + 0) = (u_temp.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_temp.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_temp.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_temp.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->temp);
union {
float real;
uint32_t base;
} u_wind_speed;
u_wind_speed.real = this->wind_speed;
*(outbuffer + offset + 0) = (u_wind_speed.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_wind_speed.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_wind_speed.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_wind_speed.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->wind_speed);
union {
float real;
uint32_t base;
} u_wind_angle;
u_wind_angle.real = this->wind_angle;
*(outbuffer + offset + 0) = (u_wind_angle.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_wind_angle.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_wind_angle.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_wind_angle.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->wind_angle);
union {
float real;
uint32_t base;
} u_wind_comp_angle;
u_wind_comp_angle.real = this->wind_comp_angle;
*(outbuffer + offset + 0) = (u_wind_comp_angle.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_wind_comp_angle.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_wind_comp_angle.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_wind_comp_angle.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->wind_comp_angle);
union {
float real;
uint32_t base;
} u_rotX;
u_rotX.real = this->rotX;
*(outbuffer + offset + 0) = (u_rotX.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_rotX.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_rotX.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_rotX.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->rotX);
union {
float real;
uint32_t base;
} u_rotY;
u_rotY.real = this->rotY;
*(outbuffer + offset + 0) = (u_rotY.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_rotY.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_rotY.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_rotY.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->rotY);
union {
float real;
uint32_t base;
} u_rotZ;
u_rotZ.real = this->rotZ;
*(outbuffer + offset + 0) = (u_rotZ.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_rotZ.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_rotZ.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_rotZ.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->rotZ);
union {
int32_t real;
uint32_t base;
} u_altd;
u_altd.real = this->altd;
*(outbuffer + offset + 0) = (u_altd.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_altd.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_altd.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_altd.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->altd);
union {
float real;
uint32_t base;
} u_vx;
u_vx.real = this->vx;
*(outbuffer + offset + 0) = (u_vx.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_vx.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_vx.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_vx.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->vx);
union {
float real;
uint32_t base;
} u_vy;
u_vy.real = this->vy;
*(outbuffer + offset + 0) = (u_vy.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_vy.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_vy.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_vy.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->vy);
union {
float real;
uint32_t base;
} u_vz;
u_vz.real = this->vz;
*(outbuffer + offset + 0) = (u_vz.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_vz.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_vz.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_vz.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->vz);
union {
float real;
uint32_t base;
} u_ax;
u_ax.real = this->ax;
*(outbuffer + offset + 0) = (u_ax.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_ax.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_ax.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_ax.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->ax);
union {
float real;
uint32_t base;
} u_ay;
u_ay.real = this->ay;
*(outbuffer + offset + 0) = (u_ay.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_ay.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_ay.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_ay.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->ay);
union {
float real;
uint32_t base;
} u_az;
u_az.real = this->az;
*(outbuffer + offset + 0) = (u_az.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_az.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_az.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_az.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->az);
*(outbuffer + offset + 0) = (this->motor1 >> (8 * 0)) & 0xFF;
offset += sizeof(this->motor1);
*(outbuffer + offset + 0) = (this->motor2 >> (8 * 0)) & 0xFF;
offset += sizeof(this->motor2);
*(outbuffer + offset + 0) = (this->motor3 >> (8 * 0)) & 0xFF;
offset += sizeof(this->motor3);
*(outbuffer + offset + 0) = (this->motor4 >> (8 * 0)) & 0xFF;
offset += sizeof(this->motor4);
*(outbuffer + offset + 0) = (this->tags_count >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_count >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_count >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_count >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_count);
*(outbuffer + offset++) = tags_type_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_type_length; i++){
*(outbuffer + offset + 0) = (this->tags_type[i] >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_type[i] >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_type[i] >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_type[i] >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_type[i]);
}
*(outbuffer + offset++) = tags_xc_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_xc_length; i++){
*(outbuffer + offset + 0) = (this->tags_xc[i] >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_xc[i] >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_xc[i] >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_xc[i] >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_xc[i]);
}
*(outbuffer + offset++) = tags_yc_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_yc_length; i++){
*(outbuffer + offset + 0) = (this->tags_yc[i] >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_yc[i] >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_yc[i] >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_yc[i] >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_yc[i]);
}
*(outbuffer + offset++) = tags_width_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_width_length; i++){
*(outbuffer + offset + 0) = (this->tags_width[i] >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_width[i] >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_width[i] >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_width[i] >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_width[i]);
}
*(outbuffer + offset++) = tags_height_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_height_length; i++){
*(outbuffer + offset + 0) = (this->tags_height[i] >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (this->tags_height[i] >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (this->tags_height[i] >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (this->tags_height[i] >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_height[i]);
}
*(outbuffer + offset++) = tags_orientation_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_orientation_length; i++){
union {
float real;
uint32_t base;
} u_tags_orientationi;
u_tags_orientationi.real = this->tags_orientation[i];
*(outbuffer + offset + 0) = (u_tags_orientationi.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_tags_orientationi.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_tags_orientationi.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_tags_orientationi.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_orientation[i]);
}
*(outbuffer + offset++) = tags_distance_length;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
*(outbuffer + offset++) = 0;
for( uint8_t i = 0; i < tags_distance_length; i++){
union {
float real;
uint32_t base;
} u_tags_distancei;
u_tags_distancei.real = this->tags_distance[i];
*(outbuffer + offset + 0) = (u_tags_distancei.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_tags_distancei.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_tags_distancei.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_tags_distancei.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->tags_distance[i]);
}
union {
float real;
uint32_t base;
} u_tm;
u_tm.real = this->tm;
*(outbuffer + offset + 0) = (u_tm.base >> (8 * 0)) & 0xFF;
*(outbuffer + offset + 1) = (u_tm.base >> (8 * 1)) & 0xFF;
*(outbuffer + offset + 2) = (u_tm.base >> (8 * 2)) & 0xFF;
*(outbuffer + offset + 3) = (u_tm.base >> (8 * 3)) & 0xFF;
offset += sizeof(this->tm);
return offset;
}
virtual int deserialize(unsigned char *inbuffer)
{
int offset = 0;
offset += this->header.deserialize(inbuffer + offset);
union {
float real;
uint32_t base;
} u_batteryPercent;
u_batteryPercent.base = 0;
u_batteryPercent.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_batteryPercent.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_batteryPercent.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_batteryPercent.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->batteryPercent = u_batteryPercent.real;
offset += sizeof(this->batteryPercent);
this->state = ((uint32_t) (*(inbuffer + offset)));
this->state |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->state |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->state |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->state);
union {
int32_t real;
uint32_t base;
} u_magX;
u_magX.base = 0;
u_magX.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_magX.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_magX.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_magX.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->magX = u_magX.real;
offset += sizeof(this->magX);
union {
int32_t real;
uint32_t base;
} u_magY;
u_magY.base = 0;
u_magY.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_magY.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_magY.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_magY.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->magY = u_magY.real;
offset += sizeof(this->magY);
union {
int32_t real;
uint32_t base;
} u_magZ;
u_magZ.base = 0;
u_magZ.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_magZ.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_magZ.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_magZ.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->magZ = u_magZ.real;
offset += sizeof(this->magZ);
union {
int32_t real;
uint32_t base;
} u_pressure;
u_pressure.base = 0;
u_pressure.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_pressure.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_pressure.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_pressure.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->pressure = u_pressure.real;
offset += sizeof(this->pressure);
union {
int32_t real;
uint32_t base;
} u_temp;
u_temp.base = 0;
u_temp.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_temp.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_temp.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_temp.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->temp = u_temp.real;
offset += sizeof(this->temp);
union {
float real;
uint32_t base;
} u_wind_speed;
u_wind_speed.base = 0;
u_wind_speed.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_wind_speed.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_wind_speed.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_wind_speed.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->wind_speed = u_wind_speed.real;
offset += sizeof(this->wind_speed);
union {
float real;
uint32_t base;
} u_wind_angle;
u_wind_angle.base = 0;
u_wind_angle.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_wind_angle.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_wind_angle.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_wind_angle.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->wind_angle = u_wind_angle.real;
offset += sizeof(this->wind_angle);
union {
float real;
uint32_t base;
} u_wind_comp_angle;
u_wind_comp_angle.base = 0;
u_wind_comp_angle.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_wind_comp_angle.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_wind_comp_angle.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_wind_comp_angle.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->wind_comp_angle = u_wind_comp_angle.real;
offset += sizeof(this->wind_comp_angle);
union {
float real;
uint32_t base;
} u_rotX;
u_rotX.base = 0;
u_rotX.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_rotX.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_rotX.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_rotX.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->rotX = u_rotX.real;
offset += sizeof(this->rotX);
union {
float real;
uint32_t base;
} u_rotY;
u_rotY.base = 0;
u_rotY.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_rotY.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_rotY.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_rotY.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->rotY = u_rotY.real;
offset += sizeof(this->rotY);
union {
float real;
uint32_t base;
} u_rotZ;
u_rotZ.base = 0;
u_rotZ.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_rotZ.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_rotZ.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_rotZ.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->rotZ = u_rotZ.real;
offset += sizeof(this->rotZ);
union {
int32_t real;
uint32_t base;
} u_altd;
u_altd.base = 0;
u_altd.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_altd.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_altd.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_altd.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->altd = u_altd.real;
offset += sizeof(this->altd);
union {
float real;
uint32_t base;
} u_vx;
u_vx.base = 0;
u_vx.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_vx.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_vx.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_vx.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->vx = u_vx.real;
offset += sizeof(this->vx);
union {
float real;
uint32_t base;
} u_vy;
u_vy.base = 0;
u_vy.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_vy.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_vy.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_vy.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->vy = u_vy.real;
offset += sizeof(this->vy);
union {
float real;
uint32_t base;
} u_vz;
u_vz.base = 0;
u_vz.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_vz.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_vz.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_vz.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->vz = u_vz.real;
offset += sizeof(this->vz);
union {
float real;
uint32_t base;
} u_ax;
u_ax.base = 0;
u_ax.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_ax.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_ax.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_ax.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->ax = u_ax.real;
offset += sizeof(this->ax);
union {
float real;
uint32_t base;
} u_ay;
u_ay.base = 0;
u_ay.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_ay.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_ay.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_ay.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->ay = u_ay.real;
offset += sizeof(this->ay);
union {
float real;
uint32_t base;
} u_az;
u_az.base = 0;
u_az.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_az.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_az.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_az.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->az = u_az.real;
offset += sizeof(this->az);
this->motor1 = ((uint8_t) (*(inbuffer + offset)));
offset += sizeof(this->motor1);
this->motor2 = ((uint8_t) (*(inbuffer + offset)));
offset += sizeof(this->motor2);
this->motor3 = ((uint8_t) (*(inbuffer + offset)));
offset += sizeof(this->motor3);
this->motor4 = ((uint8_t) (*(inbuffer + offset)));
offset += sizeof(this->motor4);
this->tags_count = ((uint32_t) (*(inbuffer + offset)));
this->tags_count |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->tags_count |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->tags_count |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->tags_count);
uint8_t tags_type_lengthT = *(inbuffer + offset++);
if(tags_type_lengthT > tags_type_length)
this->tags_type = (uint32_t*)realloc(this->tags_type, tags_type_lengthT * sizeof(uint32_t));
offset += 3;
tags_type_length = tags_type_lengthT;
for( uint8_t i = 0; i < tags_type_length; i++){
this->st_tags_type = ((uint32_t) (*(inbuffer + offset)));
this->st_tags_type |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->st_tags_type |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->st_tags_type |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->st_tags_type);
memcpy( &(this->tags_type[i]), &(this->st_tags_type), sizeof(uint32_t));
}
uint8_t tags_xc_lengthT = *(inbuffer + offset++);
if(tags_xc_lengthT > tags_xc_length)
this->tags_xc = (uint32_t*)realloc(this->tags_xc, tags_xc_lengthT * sizeof(uint32_t));
offset += 3;
tags_xc_length = tags_xc_lengthT;
for( uint8_t i = 0; i < tags_xc_length; i++){
this->st_tags_xc = ((uint32_t) (*(inbuffer + offset)));
this->st_tags_xc |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->st_tags_xc |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->st_tags_xc |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->st_tags_xc);
memcpy( &(this->tags_xc[i]), &(this->st_tags_xc), sizeof(uint32_t));
}
uint8_t tags_yc_lengthT = *(inbuffer + offset++);
if(tags_yc_lengthT > tags_yc_length)
this->tags_yc = (uint32_t*)realloc(this->tags_yc, tags_yc_lengthT * sizeof(uint32_t));
offset += 3;
tags_yc_length = tags_yc_lengthT;
for( uint8_t i = 0; i < tags_yc_length; i++){
this->st_tags_yc = ((uint32_t) (*(inbuffer + offset)));
this->st_tags_yc |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->st_tags_yc |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->st_tags_yc |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->st_tags_yc);
memcpy( &(this->tags_yc[i]), &(this->st_tags_yc), sizeof(uint32_t));
}
uint8_t tags_width_lengthT = *(inbuffer + offset++);
if(tags_width_lengthT > tags_width_length)
this->tags_width = (uint32_t*)realloc(this->tags_width, tags_width_lengthT * sizeof(uint32_t));
offset += 3;
tags_width_length = tags_width_lengthT;
for( uint8_t i = 0; i < tags_width_length; i++){
this->st_tags_width = ((uint32_t) (*(inbuffer + offset)));
this->st_tags_width |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->st_tags_width |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->st_tags_width |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->st_tags_width);
memcpy( &(this->tags_width[i]), &(this->st_tags_width), sizeof(uint32_t));
}
uint8_t tags_height_lengthT = *(inbuffer + offset++);
if(tags_height_lengthT > tags_height_length)
this->tags_height = (uint32_t*)realloc(this->tags_height, tags_height_lengthT * sizeof(uint32_t));
offset += 3;
tags_height_length = tags_height_lengthT;
for( uint8_t i = 0; i < tags_height_length; i++){
this->st_tags_height = ((uint32_t) (*(inbuffer + offset)));
this->st_tags_height |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
this->st_tags_height |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
this->st_tags_height |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
offset += sizeof(this->st_tags_height);
memcpy( &(this->tags_height[i]), &(this->st_tags_height), sizeof(uint32_t));
}
uint8_t tags_orientation_lengthT = *(inbuffer + offset++);
if(tags_orientation_lengthT > tags_orientation_length)
this->tags_orientation = (float*)realloc(this->tags_orientation, tags_orientation_lengthT * sizeof(float));
offset += 3;
tags_orientation_length = tags_orientation_lengthT;
for( uint8_t i = 0; i < tags_orientation_length; i++){
union {
float real;
uint32_t base;
} u_st_tags_orientation;
u_st_tags_orientation.base = 0;
u_st_tags_orientation.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_st_tags_orientation.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_st_tags_orientation.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_st_tags_orientation.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->st_tags_orientation = u_st_tags_orientation.real;
offset += sizeof(this->st_tags_orientation);
memcpy( &(this->tags_orientation[i]), &(this->st_tags_orientation), sizeof(float));
}
uint8_t tags_distance_lengthT = *(inbuffer + offset++);
if(tags_distance_lengthT > tags_distance_length)
this->tags_distance = (float*)realloc(this->tags_distance, tags_distance_lengthT * sizeof(float));
offset += 3;
tags_distance_length = tags_distance_lengthT;
for( uint8_t i = 0; i < tags_distance_length; i++){
union {
float real;
uint32_t base;
} u_st_tags_distance;
u_st_tags_distance.base = 0;
u_st_tags_distance.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_st_tags_distance.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_st_tags_distance.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_st_tags_distance.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->st_tags_distance = u_st_tags_distance.real;
offset += sizeof(this->st_tags_distance);
memcpy( &(this->tags_distance[i]), &(this->st_tags_distance), sizeof(float));
}
union {
float real;
uint32_t base;
} u_tm;
u_tm.base = 0;
u_tm.base |= ((uint32_t) (*(inbuffer + offset + 0))) << (8 * 0);
u_tm.base |= ((uint32_t) (*(inbuffer + offset + 1))) << (8 * 1);
u_tm.base |= ((uint32_t) (*(inbuffer + offset + 2))) << (8 * 2);
u_tm.base |= ((uint32_t) (*(inbuffer + offset + 3))) << (8 * 3);
this->tm = u_tm.real;
offset += sizeof(this->tm);
return offset;
}
const char * getType(){ return "ardrone_autonomy/Navdata"; };
const char * getMD5(){ return "e1169f766234363125ac62c9a3f87eeb"; };
};
}
#endif | [
"haroldtreen@gmail.com"
] | haroldtreen@gmail.com |
410b157b0bf459735aeb494a21a2822255850437 | 3cb889e26a8e94782c637aa1126ad897ccc0d7a9 | /C++/Primes/compileTimePrimes.cpp | fe61662b242d3c490853f06b70ddb757d5377510 | [] | no_license | GHScan/DailyProjects | 1d35fd5d69e574758d68980ac25b979ef2dc2b4d | 52e0ca903ee4e89c825a14042ca502bb1b1d2e31 | refs/heads/master | 2021-04-22T06:43:42.374366 | 2020-06-15T17:04:59 | 2020-06-15T17:04:59 | 8,292,627 | 29 | 10 | null | null | null | null | UTF-8 | C++ | false | false | 2,396 | cpp | #include "pch.h"
//------------------------------
template<bool b, typename T1, typename T2>
struct If {
typedef T1 Type;
};
template<typename T1, typename T2>
struct If<false, T1, T2> {
typedef T2 Type;
};
template<int n>
struct Identity {
static const int value = n;
};
template<typename SourceT, int i>
struct Item;
template<typename SourceT, template<int> class PredT, int start>
struct FindBy {
static const int value = If<PredT<Item<SourceT, start>::value>::value, Identity<start>, FindBy<SourceT, PredT, start + 1>>::Type::value;
};
template<typename SourceT, template<int> class PredT>
struct Filter { };
template<typename SourceT, template<int> class PredT, int i>
struct Item<Filter<SourceT, PredT>, i> {
static const int _sourceIndex = FindBy<SourceT, PredT, Item<Filter<SourceT, PredT>, i - 1>::_sourceIndex + 1>::value;
static const int value = Item<SourceT, _sourceIndex>::value;
};
template<typename SourceT, template<int> class PredT>
struct Item<Filter<SourceT, PredT>, 0> {
static const int _sourceIndex = FindBy<SourceT, PredT, 0>::value;
static const int value = Item<SourceT, _sourceIndex>::value;
};
template<typename SourceT, int begin, int count>
struct Foreach {
template<typename FuncT>
static void apply(FuncT f) {
f(Item<SourceT, begin>::value);
Foreach<SourceT, begin + 1, count - 1>::apply(f);
}
};
template<typename SourceT, int begin>
struct Foreach<SourceT, begin, 0> {
template<typename FuncT>
static void apply(FuncT f) {
}
};
template<int start>
struct Integers {};
template<int start, int i>
struct Item<Integers<start>, i> {
static const int value = i + start;
};
//------------------------------
struct Primes {};
template<int i>
struct Item<Primes, i> {
static const int value = Item<typename Item<Primes, i - 1>::RemainingSeq, 0>::value;
template<int n>
struct IsValid {
static const bool value = n % Item<Primes, i>::value > 0;
};
typedef Filter<typename Item<Primes, i - 1>::RemainingSeq, IsValid > RemainingSeq;
};
template<>
struct Item<Primes, 0> {
static const int value = 2;
template<int n>
struct IsValid {
static const bool value = n % Item<Primes, 0>::value > 0;
};
typedef Filter<Integers<2>, IsValid > RemainingSeq;
};
int main() {
Foreach<Primes, 0, 20>::apply([](int i){ cout << i << endl;});
}
| [
"ppscan@qq.com"
] | ppscan@qq.com |
fdb416ee75b57232f0cd10ed17e16f17ae8e9545 | ac6f998b971b0a2d4ff51d0a91663363915d4331 | /Gierka86/Axe.cpp | 197645c08a0cc4af5909ca6713b70e331533467b | [] | no_license | Milosz08C/ShortRPG | 13f6932235bd2b839033183b292cbe3c8555f3d5 | 1f0c0decbdd71e7a297b5c05eceba5ffd75aeb4b | refs/heads/master | 2023-04-12T07:12:03.624901 | 2021-05-18T12:04:56 | 2021-05-18T12:04:56 | 368,513,540 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 170 | cpp | #include "Axe.h"
Axe::Axe() : Weapon(45, 15, 60, 50, 25) {}
Axe::Axe(int mana, int wisdom, int hp, int strength, int luck) : Weapon(mana, wisdom, hp, strength, luck) {}
| [
"253321@student.pwr.edu.pl"
] | 253321@student.pwr.edu.pl |
3c92d143fa5ea54886246767de81790ad2f6c94c | dc933e6c4af6db8e5938612935bb51ead04da9b3 | /android-x86/external/opencore/oscl/oscl/osclio/src/oscl_socket_connect.cpp | e7f09ca0886c0f1de5d5e7bd553375b577d11f13 | [] | no_license | leotfrancisco/patch-hosting-for-android-x86-support | 213f0b28a7171570a77a3cec48a747087f700928 | e932645af3ff9515bd152b124bb55479758c2344 | refs/heads/master | 2021-01-10T08:40:36.731838 | 2009-05-28T04:29:43 | 2009-05-28T04:29:43 | 51,474,005 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,478 | cpp | /* ------------------------------------------------------------------
* Copyright (C) 2008 PacketVideo
*
* 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 "oscl_scheduler_ao.h"
#include "oscl_socket_connect.h"
//////////// Method /////////////////////
OsclConnectMethod *OsclConnectMethod::NewL(OsclIPSocketI& c)
{
OsclAny*p = c.Alloc().ALLOCATE(sizeof(OsclConnectMethod));
OsclError::LeaveIfNull(p);
OsclConnectMethod* self = OSCL_PLACEMENT_NEW(p, OsclConnectMethod(c));
OsclError::LeaveIfNull(self);
OsclError::PushL(self);
self->ConstructL();
OsclError::Pop();
return self;
}
void OsclConnectMethod::ConstructL()
{
OsclAny*p = Alloc().ALLOCATE(sizeof(OsclConnectRequest));
OsclError::LeaveIfNull(p);
OsclConnectRequest* self = OSCL_PLACEMENT_NEW(p, OsclConnectRequest(*this));
OsclError::LeaveIfNull(self);
OsclError::PushL(self);
self->ConstructL();
OsclError::Pop();
iSocketRequestAO = self;
OsclSocketMethod::ConstructL(iSocketRequestAO);
}
OsclConnectMethod::~OsclConnectMethod()
{
if (ConnectRequest())
{
ConnectRequest()->~OsclConnectRequest();
Alloc().deallocate(ConnectRequest());
}
}
TPVSocketEvent OsclConnectMethod::Connect(OsclNetworkAddress& aAddress,
int32 aTimeout)
{
if (!StartMethod(aTimeout))
return EPVSocketFailure;
ConnectRequest()->Connect(aAddress);
return EPVSocketPending;
}
//////////// AO /////////////////////
void OsclConnectRequest::Connect(OsclNetworkAddress &aAddress)
{
OsclAny *p = NewRequest(sizeof(ConnectParam));
if (!p)
PendComplete(OsclErrNoMemory);
else
{
iParam = OSCL_PLACEMENT_NEW(p, ConnectParam(aAddress));
if (!iParam)
PendComplete(OsclErrNoMemory);
else
{
SocketI()->Connect(*Param(), *this);
}
}
}
| [
"beyounn@8848914e-2522-11de-9896-099eabac0e35"
] | beyounn@8848914e-2522-11de-9896-099eabac0e35 |
a291e529013c8fd3fabb62e611e922663753361b | 44c47263b69ac52336d1271e7e3694b0cdfcdd59 | /references/main.cpp | 7b446a08f32e108bd4ffa08063823d3d0901d2b6 | [] | no_license | RyenCook/cpp-projects | 6a7aff83986242879a85a01bce3e08ecdd95dc72 | cc7ec244b363c2af5044698bd69473229f8109ea | refs/heads/master | 2021-01-20T05:20:58.150188 | 2018-01-25T00:13:39 | 2018-01-25T00:13:39 | 96,714,070 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 525 | cpp | #include <iostream>
#include <string>
void printIt(std::string& t_string)
{
std::cout << t_string << "\n";
}
int main()
{
int i;
int&r = i; // Reference to I
std::string s;
std::string& d = s;
std::cout << "Input a value: ";
std::cin >> i;
std::cin >> s;
std::cout << "The value of i: " << i << "\n";
std::cout << "The value of the reference: " << r << "\n";
std::cout << "The value of s: " << s << "\n";
std::cout << "The value of the reference: " << d << "\n";
printIt(s);
printIt(d);
return 0;
}
| [
"ryencook@gmail.com"
] | ryencook@gmail.com |
c5ccfcd2b0f64388c432ef58c5bab76fe4d97f82 | d8ca1f4edc4a5b348d871d0fbf6757e9acb226e9 | /Actividad9-CompresionyDescompresionHoffman/Pila.h | 51b44c55d3bcc9c12e434aed8faa0e3a3246c727 | [] | no_license | mickambar19/data-structures | e08a70647e937bde7fe2c6094332f9c9974c7b00 | 84db83228b44b140e5c8c3039770d8c2a7409ef0 | refs/heads/master | 2021-07-10T10:51:12.880462 | 2015-07-17T22:06:20 | 2015-07-17T22:06:20 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 661 | h | #ifndef PILA_H
#define PILA_H
#include "ListaLigada.h"
template <class T>
class Pila: public ListaSimple<T>{
public:
Pila();
void push(NodoArbol<T>* e);
NodoArbol<T> *pop();
T top();
};
template<class T>
Pila<T>::Pila()
{
}
template<class T>
void Pila<T>::push(NodoArbol<T> *e){
this->insertOneBefore(e,this->first());
}
template<class T>
NodoArbol<T>* Pila<T>::pop(){
NodoArbol<T>* cima;
if(this->first()!=NULL){
cima=this->first()->getData();
this->delete_e(this->first());
}
return cima;
}
template<class T>
T Pila<T>::top(){
T cima;
cima=this->first()->getData()->getElemento();
return cima;
}
#endif // PILA_H
| [
"mickambar19@gmail.com"
] | mickambar19@gmail.com |
b9bf3e7776da71bab4c8ff543f14d1364c9603a3 | e5d5e4d0ef2db5ebeab4a6464f672568ad961961 | /src/common/Network/Packet/VLANHeader.inl | 51e4123ab8ebc3663b96117465225342a5934e22 | [
"Apache-2.0",
"GPL-1.0-or-later",
"GPL-2.0-or-later",
"GPL-2.0-only"
] | permissive | elados93/trex-core | d7eebc5efbbb6ca0e971d0d1eca79793eb389a3b | 3a6d63af1ff468f94887a091e3a408a8449cf832 | refs/heads/master | 2020-07-03T13:11:03.017040 | 2019-11-25T09:20:04 | 2019-11-25T09:20:04 | 182,962,731 | 1 | 0 | Apache-2.0 | 2019-05-06T09:05:56 | 2019-04-23T07:49:11 | C | UTF-8 | C++ | false | false | 2,926 | inl | /*
Copyright (c) 2015-2015 Cisco Systems, Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
#include <common/BigEndianBitManipulation.h>
inline void VLANHeader::setVlanTag(uint16_t data)
{
myTag = PKT_HTONS(data);
}
inline uint16_t VLANHeader::getVlanTag()
{
return(PKT_NTOHS(myTag));
}
inline void VLANHeader::setTagUserPriorty(uint8_t argUserPriority)
{
uint16_t tempTag = PKT_NTOHS(myTag);
setMaskBit16(tempTag, 0, 2, argUserPriority);
myTag = PKT_HTONS(tempTag);
}
inline uint8_t VLANHeader::getTagUserPriorty()
{
return (uint8_t)(getMaskBit16(PKT_NTOHS(myTag), 0, 2));
}
inline void VLANHeader::setTagCFI(bool isSet)
{
uint16_t tempTag = PKT_NTOHS(myTag);
setMaskBit16(tempTag, 3, 3, isSet? 1 : 0);
myTag = PKT_HTONS(tempTag);
}
inline bool VLANHeader::getTagCFI()
{
return (getMaskBit16(PKT_NTOHS(myTag), 3, 3) == 1);
}
// This returns host order
inline uint16_t VLANHeader::getTagID(void)
{
return getMaskBit16(PKT_NTOHS(myTag), 4, 15);
}
inline void VLANHeader::setTagID(uint16_t argNewTag)
{
uint16_t tempTag = PKT_NTOHS(myTag);
setMaskBit16(tempTag, 4, 15, argNewTag);
myTag = PKT_HTONS(tempTag);
}
inline void VLANHeader::incrementTagID(uint16_t inc_value)
{
uint16_t tempTag_Host = PKT_NTOHS(myTag);
uint16_t curTagID_Host = getTagID();
uint16_t newTagId_Host = (0xfff & (curTagID_Host + (0xfff & inc_value))); // addition with 12 LSBits
setMaskBit16(tempTag_Host, 4, 15, newTagId_Host);
myTag = PKT_HTONS(tempTag_Host);
}
inline uint16_t VLANHeader::getNextProtocolNetOrder()
{
return myNextProtocol;
}
inline uint16_t VLANHeader::getNextProtocolHostOrder()
{
return (PKT_NTOHS(myNextProtocol));
}
inline void VLANHeader::setNextProtocolFromHostOrder(uint16_t argNextProtocol)
{
myNextProtocol = PKT_HTONS(argNextProtocol);
}
inline void VLANHeader::setNextProtocolFromNetOrder(uint16_t argNextProtocol)
{
myNextProtocol = argNextProtocol;
}
inline void VLANHeader::setFromPkt (uint8_t* data)
{
// set the tag from the data
myTag = *(uint16_t*)data;
setNextProtocolFromNetOrder(*((uint16_t*)(data + 2))); // next protocol is after the vlan tag
}
inline uint8_t VLANHeader::reconstructPkt (uint8_t* destBuff)
{
*(uint16_t*)destBuff = myTag;
*(uint16_t*)(destBuff+2) = getNextProtocolNetOrder();
return sizeof(VLANHeader);
}
| [
"hhaim@cisco.com"
] | hhaim@cisco.com |
3edbf90fddaf52f5f475661b3a90fc9b92bd4f85 | 467b70302e5f7aeeef7cadae550e28cae2460a2f | /LIST/LIST/Source.cpp | 038b9316aba479a6e7b80cc23e00e0b17a149041 | [] | no_license | KilRol/ProjectOBJ | cf5924ffa49bcbb6c214a193f3fc310e4aa9d9d2 | ce80a33e7e99a525b1c66854c93d6b4bf3be3f8b | refs/heads/master | 2021-02-27T08:39:26.031167 | 2020-06-22T17:45:18 | 2020-06-22T17:45:18 | 245,594,974 | 1 | 1 | null | 2020-04-09T10:48:59 | 2020-03-07T08:26:16 | C++ | UTF-8 | C++ | false | false | 1,026 | cpp | #include <iostream>
#include <fstream>
#include "List.h"
#include "Price.h"
using namespace std;
int main()
{
List<Price> A;
if (A.isEmpty())
cout << "List is Empty" << endl << endl;
else
cout << "List is not Empty" << endl << endl;
fstream in("input.txt");
in >> A;
cout << "File Reading..." << endl << A;
if (A.isEmpty())
cout << "List is Empty" << endl << endl;
else
cout << "List is not Empty" << endl << endl;
char a;
Price g("NewProduct", "NewShop", 45);
Price h("OldProduct", "OldShop", 3);
Price j("BB", "R", 464);
A.push_back(g);
A.push_front(h);
cout << "Adding 2 items" << endl << A << endl;
A.insertion_sort();
cout << "Sort by insertion" << endl << A << endl;
A.del(h);
cout << "Delete 2 items" << endl << A << endl;
cout << "Item '" << g <<"' locate at " << A.search(g) + 1 << " position" << endl << A << endl;
A.insert_at_sort(j);
cout << "Adding new item without sort" << endl << A << endl;
A.dedup();
cout << "Duplicate removing" << endl << A << endl;
}
| [
"sniper.lech@gmail.com"
] | sniper.lech@gmail.com |
09c5e468b9518b3f39680ff74fba3c63f9b11abf | d80f429f15f9b8c7db30fe6027628ec11d8e49f4 | /sketch_oct12a.ino | 964142424651e6975b42211cce4886ea553b8900 | [] | no_license | amandugar/5X5-Matrix-of-Motors-PCF8575 | 17ff605540474b85ae2ead9e01114da21c966d47 | c5212ab638964ac1ff8cc1326fe3287464055df7 | refs/heads/master | 2023-06-24T07:15:10.104439 | 2021-07-28T07:59:21 | 2021-07-28T07:59:21 | 390,262,279 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,133 | ino | #include "Arduino.h"
#include "PCF8575.h"
#include "Wire.h"
bool keyPressed = false;
void keyPressedOnPCF8575() {
// Interrupt called (No Serial no read no wire in this function, and DEBUG disabled on PCF library)
keyPressed = true;
}
// Set i2c address
PCF8575 pcf85751(0x20, 2, keyPressedOnPCF8575);
PCF8575 pcf85752(0x21, 2, keyPressedOnPCF8575);
void setup()
{
Serial.begin(115200);
for (int i = 0 ; i <= 15; i++) {
pcf85751.pinMode(i, OUTPUT);
}
for (int i = 0 ; i <= 8; i++) {
pcf85752.pinMode(i, OUTPUT);
}
for (int i = 0 ; i <= 8; i++) {
pcf85753.pinMode(i, OUTPUT);
}
pcf85751.begin();
pcf85752.begin();
pcf85753.begin();
Wire.begin();
}
void loop()
{
for (int i = 0 ; i <= 15; i++) {
pcf85751.digitalWrite(i, HIGH);
delay(100);
pcf85751.digitalWrite(i, LOW);
delay(100);
} for (int i = 0 ; i <= 8;i++) {
pcf85752.digitalWrite(i, HIGH);
delay(100);
pcf85752.digitalWrite(i, LOW);
delay(100);
}
for (int i = 0 ; i <= 8; i++) {
pcf85753.digitalWrite(i, HIGH);
delay(100);
pcf85753.digitalWrite(i, LOW);
delay(100);
}
}
| [
"55328714+amandugar@users.noreply.github.com"
] | 55328714+amandugar@users.noreply.github.com |
5f27c8e384f6d49efe7978a626584b2bf71201f3 | 087d0c38c71599abe12235b91732b28c5b8a9fb5 | /KotonVitrin/include/OgreViewportOverlay.h | 5546e914ee57a8edf9de8fd2af11b93738a6d869 | [] | no_license | umutgultepe/KotonWindow | 0051b90aadd55e84ef3a6df1d0e307acfb9bc4c5 | 288b5cc6d77a576d4fc954a721cda13206a7971f | refs/heads/master | 2021-01-10T20:43:59.312920 | 2012-10-08T12:18:17 | 2012-10-08T12:18:17 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,382 | h | /*
This file is part of Hikari, a library that allows developers
to use Flash in their Ogre3D applications.
Copyright (C) 2008 Adam J. Simmons
This library is free software; you can redistribute it and/or
modify it under the terms of the GNU Lesser General Public
License as published by the Free Software Foundation; either
version 2.1 of the License, or (at your option) any later version.
This library is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
Lesser General Public License for more details.
You should have received a copy of the GNU Lesser General Public
License along with this library; if not, write to the Free Software
Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
*/
/*********************************************************************************************
___ ___ .__ __ .__
/ | \|__| | _______ _______|__|
/ ~ \ | |/ /\__ \\_ __ \ |
\ Y / | < / __ \| | \/ |
\___|_ /|__|__|_ \(____ /__| |__| v0.4
\/ \/ \/
* Zed Games PC Development Team - Jaime Crespillo Vilchez (jcrespillo@zed.com)
* Build: 0.1 - Date: 13/10/2008
* Undocked version of Hikari Lib
* Brief: RenderListener for Ogre Engine
**********************************************************************************************/
#include "Ogre.h"
#include "OgrePanelOverlayElement.h"
#include "Position.h"
#ifndef __OgreViewportOverlay_H__
#define __OgreViewportOverlay_H__
using namespace Ogre;
class OgreViewportOverlay : public Ogre::RenderTargetListener
{
public:
bool isVisible;
int width, height;
Hikari::Position position;
Ogre::Viewport* viewport;
Ogre::PanelOverlayElement* panel;
Ogre::Overlay* overlay;
OgreViewportOverlay(const std::string& name, Ogre::Viewport* viewport, int width, int height, const Hikari::Position& pos, const std::string& matName, unsigned short zOrder);
~OgreViewportOverlay();
inline PanelOverlayElement* getPanel(){return panel;}
inline Viewport* getViewport(){return viewport;}
inline Overlay* getOverlay(){return overlay;}
inline void setViewport(Ogre::Viewport* _viewport){viewport = _viewport;};
inline void setOverlay(Ogre::Overlay* _overlay){overlay = _overlay;};
inline void setPanelOverlayElement(Ogre::PanelOverlayElement* _panel) {panel =_panel;};
void move(int deltaX, int deltaY);
void setPosition(const Hikari::Position& position);
void resetPosition();
void resize(int width, int height);
void hide();
void show();
int getRelativeX(int absX);
int getRelativeY(int absY);
bool isWithinBounds(int absX, int absY);
////////////////////////////////////////////////////////////////////////////////////////
//Event Listener inherited methods
void preRenderTargetUpdate(const Ogre::RenderTargetEvent& evt);
void postRenderTargetUpdate(const Ogre::RenderTargetEvent& evt);
void preViewportUpdate(const Ogre::RenderTargetViewportEvent& evt);
void postViewportUpdate(const Ogre::RenderTargetViewportEvent& evt);
void viewportAdded(const Ogre::RenderTargetViewportEvent& evt);
void viewportRemoved(const Ogre::RenderTargetViewportEvent& evt);
////////////////////////////////////////////////////////////////////////////////////////
};
#endif
| [
"umut@umutgultepe.com"
] | umut@umutgultepe.com |
9f59f1e0d2fb5770148d6f232910eb473c237554 | c658b7eed69edfb1a7610694fe7b8e60a5005b7c | /src/noui.cpp | 60235a87ba419cd3de43bab32fb7b117df08c6a9 | [
"MIT"
] | permissive | wolfoxonly/coc | 0864a6dce2c36d703d93e9b2fb201f599d6db4bd | ff8584518c6979db412aec82e6528a4e37077da2 | refs/heads/master | 2021-01-24T16:52:14.665824 | 2018-04-28T10:00:42 | 2018-04-28T10:00:42 | 123,215,964 | 0 | 0 | MIT | 2018-02-28T02:15:20 | 2018-02-28T02:15:20 | null | UTF-8 | C++ | false | false | 1,486 | cpp | // Copyright (c) 2010 Satoshi Nakamoto
// Copyright (c) 2009-2012 The Crowncoin developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "ui_interface.h"
#include "init.h"
#include <string>
static bool noui_ThreadSafeMessageBox(const std::string& message, const std::string& caption, unsigned int style)
{
std::string strCaption;
// Check for usage of predefined caption
switch (style) {
case CClientUIInterface::MSG_ERROR:
strCaption += _("Error");
break;
case CClientUIInterface::MSG_WARNING:
strCaption += _("Warning");
break;
case CClientUIInterface::MSG_INFORMATION:
strCaption += _("Information");
break;
default:
strCaption += caption; // Use supplied caption (can be empty)
}
printf("%s: %s\n", strCaption.c_str(), message.c_str());
fprintf(stderr, "%s: %s\n", strCaption.c_str(), message.c_str());
return false;
}
static bool noui_ThreadSafeAskFee(int64 /*nFeeRequired*/)
{
return true;
}
static void noui_InitMessage(const std::string &message)
{
printf("init message: %s\n", message.c_str());
}
void noui_connect()
{
// Connect Crowncoind signal handlers
uiInterface.ThreadSafeMessageBox.connect(noui_ThreadSafeMessageBox);
uiInterface.ThreadSafeAskFee.connect(noui_ThreadSafeAskFee);
uiInterface.InitMessage.connect(noui_InitMessage);
}
| [
"415313577@qq.com"
] | 415313577@qq.com |
824f7b8d9bab7052fa18803c6e4135a513b02cd4 | 89ce5fa0b85f3272c80f265ca2e48463be2eae08 | /GUI/TigerZone/GamePlayScreen.cpp | cee33a9e6acc9c7b07b7da8d5b94d25484a1b9de | [] | no_license | Doug0855/TigerZone | a90ee4c49bde96702231abfcadab202b3c979ad0 | 1354a081545c766c135a0507bb16a760cb7afd15 | refs/heads/master | 2021-01-11T07:35:21.966130 | 2016-12-05T19:42:45 | 2016-12-05T19:42:45 | 72,787,994 | 2 | 3 | null | 2016-12-02T21:46:03 | 2016-11-03T21:21:10 | C++ | UTF-8 | C++ | false | false | 6,139 | cpp | #include "GameplayScreen.h"
#include <SDL\SDL.h>
#include <Bengine\IMainGame.h>
#include <Bengine/Timing.h>
#include <Bengine/ResourceManager.h>
#include "ScreenIndices.h"
GameplayScreen::GameplayScreen(Bengine::Window* window) : m_window(window)
{
m_screenIndex = SCREEN_INDEX_GAMEPLAY;
}
GameplayScreen::~GameplayScreen()
{
delete m_level;
}
int GameplayScreen::getNextScreenIndex() const
{
return SCREEN_INDEX_NO_SCREEN;
}
int GameplayScreen::getPreviousScreenIndex() const
{
return SCREEN_INDEX_NO_SCREEN;
}
void GameplayScreen::build()
{
}
void GameplayScreen::destroy()
{
}
void GameplayScreen::onEntry()
{
// init shaders
initShaders();
// initialize spritebatch0
m_spriteBatch.init();
m_camera.init(m_window->getScreenWidth(), m_window->getScreenHeight());
initLevel();
m_camera.setPosition(m_level->cameraPos);
/*
Tile tile1(19);
TileStack tStack;
tStack.shuffle();
Player player1;
Player player2;
std::pair<int, int> startingCoordinates = std::pair<int, int>(72, 72);
Tile *startTile = new Tile(tile1.getNum());
gameboard.place_tile(startingCoordinates, *startTile);
gameId = "123";
*/
}
void GameplayScreen::onExit()
{
}
void GameplayScreen::update(float deltaTime)
{
checkInput(deltaTime);
/*
Tile currentTile = tileStack.tiles[m_i];
if (m_i % 2 == 0) {
// player1 turn
std::cout << "It's your turn with tile of type " << currentTile.getType() << std::endl;
std::vector<std::pair<int, int> > availableLocations = gameboard.display_positions(currentTile);
std::cout << "There are " << availableLocations.size() << " available locations for this tile" << std::endl;
for (int k = 0; k < availableLocations.size(); k++) {
std::cout << k << ") " << availableLocations[k].first << ' ' << availableLocations[k].second << std::endl;
}
// Take in where the user would like to place the tile
int placementSelection;
std::cin >> placementSelection;
// Create vector of that pair to pass to optimalLocation(), need to keep as param vector bc this is specific scenario where we know exact coordinates
std::vector< std::pair<int, int> > placementLocation;
placementLocation.push_back(availableLocations[placementSelection]);
// Create a new pointer to a new tile of the same type as the currentTile
Tile *tmpTile = new Tile(currentTile.getNum());
// Properly rotate the tile so it may be placed
std::pair<int, int> optimalLocation = gameboard.getOptimalPlacement(*tmpTile, placementLocation);
// Place the new tile
gameboard.place_tile(optimalLocation, *tmpTile);
printToTextFile(gameboard);
}
else {
// computer turn for solo play, player2 turn for tournament play
std::vector<std::pair<int, int> > availableLocations = gameboard.display_positions(currentTile);
Tile *tmpTile = new Tile(currentTile.getNum());
std::pair<int, int> optimalLocation = gameboard.getOptimalPlacement(*tmpTile, availableLocations);
gameboard.place_tile(optimalLocation, *tmpTile);
std::cout << "Computer placed tile of type " << tmpTile->getType() << " at location " << optimalLocation.first << ' ' << optimalLocation.second << std::endl;
printToTextFile(gameboard);
}
m_i++;
*/
updateLevel();
m_camera.update();
}
void GameplayScreen::draw()
{
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
glClearColor(255.0f, 255.0f, 255.0f, 1.0f);
m_textureProgram.use();
// Upload texture Uniform
GLuint textureUniform = m_textureProgram.getUniformLocation("mySampler");
glUniform1i(textureUniform, 0);
glActiveTexture(GL_TEXTURE0);
// Camera matrix
glm::mat4 projectionMatrix = m_camera.getCameraMatrix();
GLuint pUniform = m_textureProgram.getUniformLocation("P");
glUniformMatrix4fv(pUniform, 1, GL_FALSE, &projectionMatrix[0][0]);
m_spriteBatch.begin();
m_level->draw();
m_spriteBatch.end();
m_spriteBatch.renderBatch();
m_textureProgram.unuse();
}
void GameplayScreen::initLevel()
{
m_level = new Level("Levels/level.txt");
}
void GameplayScreen::initShaders()
{
// compile texture
m_textureProgram.compileShaders("Shaders/textureShading.vert", "Shaders/textureShading.frag");
m_textureProgram.addAttribute("vertexPosition");
m_textureProgram.addAttribute("vertexColor");
m_textureProgram.addAttribute("vertexUV");
m_textureProgram.linkShaders();
}
void GameplayScreen::checkInput(float deltaTime)
{
// Update inputmanager
m_inputManager.update();
const float CAMERA_SPEED = 10.0f;
const float SCALE_SPEED = 0.1f;
SDL_Event evnt;
while (SDL_PollEvent(&evnt))
{
m_game->onSDLEvent(evnt);
switch (evnt.type)
{
case SDL_QUIT:
onExitClicked(CEGUI::EventArgs());
break;
case SDL_KEYDOWN:
m_inputManager.pressKey(evnt.key.keysym.sym);
break;
case SDL_KEYUP:
m_inputManager.releaseKey(evnt.key.keysym.sym);
break;
}
}
if (m_inputManager.isKeyDown(SDLK_w)) {
m_camera.setPosition(m_camera.getPosition() + glm::vec2(0.0f, CAMERA_SPEED));
}
if (m_inputManager.isKeyDown(SDLK_s)) {
m_camera.setPosition(m_camera.getPosition() + glm::vec2(0.0f, -CAMERA_SPEED));
}
if (m_inputManager.isKeyDown(SDLK_a)) {
m_camera.setPosition(m_camera.getPosition() + glm::vec2(-CAMERA_SPEED, 0.0f));
}
if (m_inputManager.isKeyDown(SDLK_d)) {
m_camera.setPosition(m_camera.getPosition() + glm::vec2(CAMERA_SPEED, 0.0f));
}
if (m_inputManager.isKeyDown(SDLK_q)) {
m_camera.setScale(m_camera.getScale() + SCALE_SPEED);
}
if (m_inputManager.isKeyDown(SDLK_e)) {
m_camera.setScale(m_camera.getScale() - SCALE_SPEED);
}
}
void GameplayScreen::play()
{
}
void GameplayScreen::updateLevel()
{
m_level = new Level("Levels/level.txt");
}
bool GameplayScreen::onExitClicked(const CEGUI::EventArgs& e) {
m_currentState = Bengine::ScreenState::EXIT_APPLICATION;
return true;
}
void GameplayScreen::printToTextFile(Board gameboard)
{
std::ofstream out_data("Levels/level.txt");
out_data << "Level:" << std::endl;
for (auto& inner : gameboard.m_board)
{
for (auto& item : inner)
{
if (item != NULL)
out_data << item->getRotations() << item->getType();
else
out_data << '0' << '.';
}
out_data << std::endl;
}
out_data.close();
} | [
"coltonmoler@gmail.com"
] | coltonmoler@gmail.com |
3904e5edb69a10d26273b2e4f59101e60a78913f | 8440f091d3e8bf77ff8248e0b8fe9e7b07de5c45 | /bathroom/light.cpp | c8814d6336f631fe3b4e7efa747ade9162b6d298 | [
"Apache-2.0"
] | permissive | carloamaglio/bathroom | e8b2049c3f8e0eb1ea485904153247d779a3bb94 | 46471e14de35b79911914bcb4f14dff0e37cddf3 | refs/heads/master | 2021-01-11T15:21:42.156501 | 2020-06-23T08:36:03 | 2020-06-23T08:36:03 | 80,341,466 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,670 | cpp | /*
* light.cpp - control main lights in the bathroom.
* There're two indipendent main lights. There is a ON/OFF switch near the door and a button near the mirror.
*
* Carlo Amaglio, Via Emigli 10 - 25081 Bedizzole (Italy)
*
* Released into the public domain
*/
#include <arduino.h>
#include "utils.h"
#include "rele.h"
#include "light.h"
#define SWITCHINP A0 // main lights door ON/OFF switch
#define BTNINP A1 // main lights mirror button
#define LIGHT1OUT 2 // main light 1 output
#define LIGHT2OUT 3 // main light 2 output
#define AUTOOFFPERIOD (2*3600L*1000L)
static DigitalInput doorBtnInput(SWITCHINP, 0);
static MultiFunctionBtn doorBtn(&doorBtnInput);
static DigitalInput mirrorBtnInput(BTNINP, 0);
static MultiFunctionBtn mirrorBtn(&mirrorBtnInput);
static Rele light1Rele(LIGHT1OUT);
static Rele light2Rele(LIGHT2OUT);
void lightSetup() {
light1Rele.setValue(0);
light2Rele.setValue(0);
}
void lightLoop() {
static int state = -1;
static Delay autoOff;
int v;
//return;
if (state >= 0) {
/* Door button:
* with short push/release switch ON/OFF only the first light
* with long push/release switch ON/OFF both the first and second lights
*/
v = doorBtn.value();
if (v) autoOff.set(AUTOOFFPERIOD); // retrig the auto Off timer
if (v==1) {
if (state==0) state = 1;
else state = 0;
} else if (v==2) {
if (state==0) state = 1|2;
else state = 0;
}
/* Mirror button:
* with short push/release cycle through the sequence 01->11->10->00->10
* with long push/release switch ON/OFF both the first and second lights
*/
v = mirrorBtn.value();
if (v) autoOff.set(AUTOOFFPERIOD); // retrig the auto Off timer
if (v==1) {
if (state==0) state = 2;
else if (state==2) state = 0;
else if (state==1) state = 3;
else if (state==3) state = 2;
} else if (v==2) {
if (state==0) state = 1|2;
else state = 0;
}
// switch off everithing if auto Off timer is expired
if (autoOff.value()) {
state = 0;
}
light1Rele.setValue(state & 1);
light2Rele.setValue(state & 2);
} else {
if (state == -1) {
light1Rele.setValue(1);
light2Rele.setValue(0);
autoOff.set(1000L);
state = -2;
} else if (state==-2 && autoOff.value()) {
light1Rele.setValue(1);
light2Rele.setValue(1);
autoOff.set(1000L);
state = -3;
} else if (state==-3 && autoOff.value()) {
light1Rele.setValue(0);
light2Rele.setValue(1);
autoOff.set(1000L);
state = -4;
} else if (state==-4 && autoOff.value()) {
light1Rele.setValue(0);
light2Rele.setValue(0);
autoOff.set(1000L);
state = -5;
} else if (state==-5 && autoOff.value()) {
state = 0;
}
}
}
| [
"carlo.amaglio@bmb.locale"
] | carlo.amaglio@bmb.locale |
050870f2427dc885c4a2a64c77c739070902d3ec | d6b4bdf418ae6ab89b721a79f198de812311c783 | /cam/include/tencentcloud/cam/v20190116/model/ListSAMLProvidersRequest.h | 01d239d5ad5df12a9c8c7e91ff1d79855ff5db3a | [
"Apache-2.0"
] | permissive | TencentCloud/tencentcloud-sdk-cpp-intl-en | d0781d461e84eb81775c2145bacae13084561c15 | d403a6b1cf3456322bbdfb462b63e77b1e71f3dc | refs/heads/master | 2023-08-21T12:29:54.125071 | 2023-08-21T01:12:39 | 2023-08-21T01:12:39 | 277,769,407 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,534 | h | /*
* Copyright (c) 2017-2019 THL A29 Limited, a Tencent company. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#ifndef TENCENTCLOUD_CAM_V20190116_MODEL_LISTSAMLPROVIDERSREQUEST_H_
#define TENCENTCLOUD_CAM_V20190116_MODEL_LISTSAMLPROVIDERSREQUEST_H_
#include <string>
#include <vector>
#include <map>
#include <tencentcloud/core/AbstractModel.h>
namespace TencentCloud
{
namespace Cam
{
namespace V20190116
{
namespace Model
{
/**
* ListSAMLProviders request structure.
*/
class ListSAMLProvidersRequest : public AbstractModel
{
public:
ListSAMLProvidersRequest();
~ListSAMLProvidersRequest() = default;
std::string ToJsonString() const;
private:
};
}
}
}
}
#endif // !TENCENTCLOUD_CAM_V20190116_MODEL_LISTSAMLPROVIDERSREQUEST_H_
| [
"v_vyushang@tencent.com"
] | v_vyushang@tencent.com |
214f82d0a8b9cefc64f3baef7228e7dfc25df902 | 7d4442002438735cdfb46b676f9a20dd58a8c993 | /AppWizard/src/vs_wizard/vs60_old/wiz_file.h | bf2b643301d6617c1e121435f083481c2570f3de | [] | no_license | ywx/VisualFC | 4ac2216c3ff3331d7d6a2913588566f5fc459f3f | edd48db9a3bef6b5169fe92b31e3579cc6bd2ebb | refs/heads/master | 2021-01-01T19:15:40.408527 | 2013-04-23T14:54:45 | 2013-04-23T14:54:45 | 9,625,909 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,206 | h | // wiz_file.h: interface for the wiz_file class.
//
//////////////////////////////////////////////////////////////////////
#if !defined(AFX_WIZ_FILE_H__C6F726F3_FD96_4A52_8115_8E991F5F97FE__INCLUDED_)
#define AFX_WIZ_FILE_H__C6F726F3_FD96_4A52_8115_8E991F5F97FE__INCLUDED_
#if _MSC_VER > 1000
#pragma once
#endif // _MSC_VER > 1000
#include <vector>
#include <map>
#include <set>
#include <string>
#include "./public/wtlfile.h"
#include "./public/wtlfileex.h"
struct proj_file
{
CString source;
CString dest;
int type;
proj_file()
{
}
proj_file(const CString & s, const CString & d, int t) : source(s), dest(d), type(t)
{
}
};
class wiz_file
{
public:
bool make_poject(LPCTSTR lpszName);
void replace_line(const CString & in, CString &out);
bool get_line_if(const CString & line);
bool conv_file(LPCTSTR lpszInFile, LPCTSTR lpszOutFile);
bool conv_file_to_ar(LPCTSTR lpszInFile, std::vector<CString> & out);
wiz_file();
virtual ~wiz_file();
std::map<CString,CString> map_def;
std::set<CString> ar_if;
CString dest;
CString source;
};
#endif // !defined(AFX_WIZ_FILE_H__C6F726F3_FD96_4A52_8115_8E991F5F97FE__INCLUDED_)
| [
"visualfc@a5e9189f-f13e-0410-9239-ddc9d5dcfb73"
] | visualfc@a5e9189f-f13e-0410-9239-ddc9d5dcfb73 |
8b89c7ac3fe01498706ef6a9bd758fb4518352dc | e8171b693447e50f0377fc73c633e56f6b3161d6 | /LC/Apple/Easy/implement_strStr.cpp | 0d9f49dfdc85b18bf36023613a97e340e2bb68d3 | [] | no_license | srikumar947/effective-barnacle | 693b85e7c932d089aed8d289b2202f749cc9fe0c | 26557f3090d4355c414c7b9e19b4fd1c7ee93b6c | refs/heads/master | 2020-03-19T02:14:56.929455 | 2018-06-15T23:47:48 | 2018-06-15T23:47:48 | 135,612,149 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,454 | cpp | /*
Implement strStr().
Return the index of the first occurrence of needle in haystack, or -1 if needle is not part of haystack.
Example 1:
Input: haystack = "hello", needle = "ll"
Output: 2
Example 2:
Input: haystack = "aaaaa", needle = "bba"
Output: -1
Clarification:
What should we return when needle is an empty string? This is a great question to ask during an interview.
For the purpose of this problem, we will return 0 when needle is an empty string. This is consistent to C's strstr() and Java's indexOf().
*/
#include <iostream>
#include <vector>
using namespace std;
int strStr(string haystack, string needle) {
if (needle.size() < 1)
return 0;
int i = 0, j = 0, k, n = haystack.size(), m = needle.size(), pos;
for (i = 0; i < n; i++) {
if (haystack[i] == needle[0]) {
pos = i;
j = 1;
k = i + 1;
while (j < m && k < n) {
if (haystack[k++] != needle[j++]) {
j = 0;
break;
}
}
if (j == m)
break;
}
}
if (j == m)
return pos;
return -1;
}
int main() {
string haystack, needle;
cout << "\n Enter two strings: ";
cin >> haystack >> needle;
int ret = strStr(haystack, needle);
cout << "\n First occurrence of " << needle << " in " << haystack << " is at " << ret;
cout << "\n\n";
return 0;
}
| [
"srikumar947@gmail.com"
] | srikumar947@gmail.com |
e2d2ad03370f2bc285991dc714b0dc235a237d0a | 6566b009ef0bc3a7620ac4e390836334bfbafe20 | /GpsData.cpp | f0f74aa4a180d9dbdc5143866027f7806e231e32 | [] | no_license | boromi/image_correction | 9b35972b5cf7e7c934bde0f9d5ba822cdfd403fa | 204052b144875d419a7a2037696d7330ec643178 | refs/heads/master | 2023-04-27T16:28:32.317528 | 2023-04-21T19:11:29 | 2023-04-21T19:11:29 | 12,298,388 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,570 | cpp | #include "StdAfx.h"
#include "GpsData.h"
GpsData::GpsData()
{
this->timestamp.wDay;
this->timestamp.wDayOfWeek;
this->timestamp.wHour;
this->timestamp.wMilliseconds;
this->timestamp.wMinute;
this->timestamp.wMonth;
this->timestamp.wSecond;
this->timestamp.wYear;
this->alt = 0.0;
this->epe = 0.0;
this->eph = 0.0;
this->epv = 0.0;
this->fix = 0;
this->tow = 0.0;
this->lat = 0.0;
this->lon = 0.0;
this->Vea = 0.0;
this->Vno = 0.0;
this->Vup = 0.0;
this->msl_h = 0.0;
this->leap = 0;
this->wn_days = 0;
}
GpsData::GpsData(SYSTEMTIME timestamp,
double alt,
double epe,
double eph,
double epv,
int fix,
double tow,
double lat,
double lon,
double Vea,
double Vno,
double Vup,
double msl_h,
int leap,
int wn_days)
{
this->timestamp.wDay = timestamp.wDay;
this->timestamp.wDayOfWeek = timestamp.wDayOfWeek;
this->timestamp.wHour = timestamp.wHour;
this->timestamp.wMilliseconds = timestamp.wMilliseconds;
this->timestamp.wMinute = timestamp.wMinute;
this->timestamp.wMonth = timestamp.wMonth;
this->timestamp.wSecond = timestamp.wSecond;
this->timestamp.wYear = timestamp.wYear;
this->alt = alt;
this->epe = epe;
this->eph = eph;
this->epv = epv;
this->fix = fix;
this->tow = tow;
this->lat = lat;
this->lon = lon;
this->Vea = Vea;
this->Vno = Vno;
this->Vup = Vup;
this->msl_h = msl_h;
this->leap = leap;
this->wn_days = wn_days;
}
GpsData::GpsData(const GpsData& x)
{
this->timestamp.wDay = x.timestamp.wDay;
this->timestamp.wDayOfWeek = x.timestamp.wDayOfWeek;
this->timestamp.wHour = x.timestamp.wHour;
this->timestamp.wMilliseconds = x.timestamp.wMilliseconds;
this->timestamp.wMinute = x.timestamp.wMinute;
this->timestamp.wMonth = x.timestamp.wMonth;
this->timestamp.wSecond = x.timestamp.wSecond;
this->timestamp.wYear = x.timestamp.wYear;
this->alt = x.alt;
this->epe = x.epe;
this->eph = x.eph;
this->epv = x.epv;
this->fix = x.fix;
this->tow = x.tow;
this->lat = x.lat;
this->lon = x.lon;
this->Vea = x.Vea;
this->Vno = x.Vno;
this->Vup = x.Vup;
this->msl_h = x.msl_h;
this->leap = x.leap;
this->wn_days = x.wn_days;
}
GpsData* GpsData::readFromFile(std::string fileName, int& readedRecord )
{
// determine the number of records
readedRecord = 0;
ifstream ifs(fileName.c_str());
string line;
while(!ifs.eof())
{
getline (ifs,line);
if (line.length() > 1)
{
if (line[0] != '#')
{
readedRecord++;
}
}
}
ifs.close();
GpsData* ret = new GpsData[readedRecord];
readedRecord = 0;
// create the instances, and fill with data
ifstream ifs2(fileName.c_str());
while(!ifs2.eof())
{
getline (ifs2,line);
if (line.length() > 1)
{
if (line[0] != '#')
{
GpsData sd = GpsData::readFromLine(line);
ret[readedRecord] = sd;
readedRecord++;
}
}
}
ifs2.close();
return ret;
}
int hexToDec(string input)
{
int ret = 0;
int p = 1;
for (int i=0;i<input.length();i++)
{
int n = 0;
if (input.at(input.length() - 1 - i) == '1')
n = 1;
else if (input.at(input.length() - 1 - i) == '2')
n = 2;
else if (input.at(input.length() - 1 - i) == '3')
n = 3;
else if (input.at(input.length() - 1 - i) == '4')
n = 4;
else if (input.at(input.length() - 1 - i) == '5')
n = 5;
else if (input.at(input.length() - 1 - i) == '6')
n = 6;
else if (input.at(input.length() - 1 - i) == '7')
n = 7;
else if (input.at(input.length() - 1 - i) == '8')
n = 8;
else if (input.at(input.length() - 1 - i) == '9')
n = 9;
else if (input.at(input.length() - 1 - i) == 'A')
n = 10;
else if (input.at(input.length() - 1 - i) == 'B')
n = 11;
else if (input.at(input.length() - 1 - i) == 'C')
n = 12;
else if (input.at(input.length() - 1 - i) == 'D')
n = 13;
else if (input.at(input.length() - 1 - i) == 'E')
n = 14;
else if (input.at(input.length() - 1 - i) == 'F')
n = 15;
ret += p * n;
p *= 16;
}
return ret;
}
GpsData GpsData::readFromLine(string line)
{
GpsData* gd = new GpsData();
stringstream sline(line);
string timestampstring = "";
sline>>timestampstring;
FILETIME ft;
int tup = hexToDec(timestampstring.substr(0, 8));
int tdown = hexToDec(timestampstring.substr(8, 8));;
ft.dwLowDateTime = tdown;
ft.dwHighDateTime = tup;
FileTimeToSystemTime(&ft, &gd->timestamp);
sline>>gd->alt;
sline>>gd->epe;
sline>>gd->eph;
sline>>gd->epv;
sline>>gd->fix;
sline>>gd->tow;
sline>>gd->lat;
sline>>gd->lon;
sline>>gd->Vea;
sline>>gd->Vno;
sline>>gd->Vup;
sline>>gd->msl_h;
sline>>gd->leap;
sline>>gd->wn_days;
return *gd;
}
| [
"ductor600@gmail.com"
] | ductor600@gmail.com |
26cd8fd872c5c2c2c5814db59c735325a3f1b4e7 | 6eea2c010b4f19e44128e06e99c809830b84d94b | /test/FaceDetect/rzt_server_control.h | 5d67fe0179461f3053bd78b939438520cdcf7183 | [] | no_license | 15831944/test3 | e976c552d5553541c40167cddf0538d09e396805 | 90280b99fc8f3588fc6c4126c043d926f7300685 | refs/heads/master | 2022-04-02T07:32:03.662733 | 2020-02-08T07:12:16 | 2020-02-08T07:12:16 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 547 | h | #ifndef __RZT_SERVER_CONTROL_H__
#define __RZT_SERVER_CONTROL_H__
#include "camera_video_thread.h"
class CRztServerControl
{
public:
CRztServerControl();
virtual ~CRztServerControl();
public:
bool InitServer();
void UnInitServer();
bool EnumCamera();
bool OpenCamera(int iCameraId);
bool CloseCamera();
protected:
CFaceDetectInterface *m_pFaceDetect;
CVideoControlInterface *m_pVideoControl;
CCameraVideoThread m_CameraVideoThread;
private:
thread_queue<FRAME_DATA_BUFFER*> m_queFrameData;
};
#endif | [
"lysgwl@163.com"
] | lysgwl@163.com |
826734d1005016aac3e74f42b1fc4d120f9b283b | 98819d62d5b7e901975bb01b34b38dbc3cb2f422 | /src/7_Reverse_Integer.cpp | 6841acd7747bcbcd29c65e02508c5a2111d32981 | [] | no_license | Liuyi-Wang/LeetCode | 78666c34dd6de9fbed611fb7a53fb522fe823b7c | c4f86881cab16b09eafcad0745b59b334dae2ae5 | refs/heads/master | 2022-02-04T03:29:29.606869 | 2022-02-01T00:52:43 | 2022-02-01T00:52:43 | 196,485,970 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 359 | cpp | class Solution {
public:
int reverse(int x) {
int sign = x>0?1:-1;
long long X = abs(static_cast<long long>(x));
long long result = 0;
while (0 != X) {
result = result*10 + X%10;
X /= 10;
}
if (result > INT_MAX) {
return 0;
}
return sign*result;
}
};
| [
"wangliuy@umich.edu"
] | wangliuy@umich.edu |
6e30248e8ec99d7867f1f6fba9f4a66b77d04700 | a8e4c73e926b9742af3798d1a424ea7184fa1c0e | /signin.cpp | 9730f4328960b69f10b794a38ede4b9d9ca15084 | [] | no_license | hecc1949/archery | 2492bbca705b544195cf186b482eca428868137a | 5d38d062adc619353fd9bfd70e64687b3e7a890e | refs/heads/master | 2021-07-13T17:19:07.776132 | 2020-07-25T01:23:08 | 2020-07-25T01:23:08 | 188,240,113 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,569 | cpp | /**
*
* 游戏选手基本信息录入,手动开局时用, 游戏中间也要增加/修改
*
* 通过SigninSheet结构体来管理(交换)配置游戏局数据,其实这就是编辑SigninSheet的一个UI界面
*
*/
#include "signin.h"
#include "ui_signin.h"
#include <QMouseEvent>
#include <QDebug>
SignIn::SignIn(QWidget *parent) :
QDialog(parent),
ui(new Ui::SignIn)
{
ui->setupUi(this);
setWindowModality(Qt::ApplicationModal);
//
ui->cmArcherName->addItem("新手");
ui->cmArcherName->addItem("箭师");
ui->cmArcherName->setCurrentIndex(-1);
QSettings ini("./config.ini",QSettings::IniFormat);
ini.setIniCodec(QTextCodec::codecForName("UTF-8")); //解决读出的中文字符串乱码
ui->cmGameType->clear();
for(int i=1; i<=3; i++)
{
QString s1 = ini.value(QString("/scheme/GameType-%1").arg(i)).toString();
ui->cmGameType->addItem(s1);
}
min_shots = ini.value("/scheme/MinGameShots").toInt();
if (min_shots <3)
min_shots = 3;
min_times = ini.value("/scheme/MinGameTimes").toInt();
if (min_times <1)
min_times = 1;
//
softKb = SoftKeyBoardDlg::GetInstance();
softKb->move(this->geometry().right(), this->geometry().top());
ui->cmArcherName->lineEdit()->installEventFilter(this); //combobox包含一个QLineEdit对象,要针对这个对象!
ui->edPresetPlayVal->installEventFilter(this);
ui->edPaidVal->installEventFilter(this);
}
SignIn::~SignIn()
{
delete ui;
}
void SignIn::on_btnCancel_clicked()
{
this->reject();
}
bool SignIn::eventFilter(QObject *obj, QEvent *event)
{
if(event->type() == QEvent::MouseButtonPress)
{
QMouseEvent *mouseEvent=static_cast<QMouseEvent *>(event);
if(mouseEvent->buttons() & Qt::LeftButton)
{
QString value;
if (obj ==ui->cmArcherName->lineEdit())
{
// softKb->startExec(&value, SKB_Page_EnglishChar);
softKb->startExec(&value, SKB_Page_ChinesePy);
if(!value.isEmpty())
{
ui->cmArcherName->setEditText(value);
ui->cmArcherName->insertItem(0, value);
}
}
else if (obj==ui->edPresetPlayVal || obj==ui->edPaidVal)
{
softKb->startExec(&value, SKB_Page_Digit);
if(!value.isEmpty())
{
((QLineEdit *)obj)->setText(value);
}
}
}
}
return QObject::eventFilter(obj,event);
}
void SignIn::on_cmPayMode_currentIndexChanged(int index)
{
if (index==0)
ui->labPlayUnit->setText("分钟");
else
ui->labPlayUnit->setText("箭");
}
void SignIn::on_btnOk_clicked()
{
if (ui->edPresetPlayVal->text().trimmed().length()>0)
{
int lim_val = ui->edPresetPlayVal->text().toInt();
if (((BillingMethod)(ui->cmPayMode->currentIndex()) == Billing_ByTime && lim_val < min_times)||
((BillingMethod)(ui->cmPayMode->currentIndex()) == Billing_ByShots && lim_val < min_shots))
{
ui->edPresetPlayVal->setFocus();
return;
}
}
//
this->accept();
}
///
/// \brief SignIn::setMode 按开局/修改两种不同模式初始化界面
/// \param pSheet
///
void SignIn::setMode(SigninSheet* pSheet)
{
if (pSheet == NULL)
{
//开局模式
ui->labTitle->setText(tr("开始"));
ui->cmGameType->setEnabled(true);
ui->cmPayMode->setEnabled(true);
}
else
{
//局中修改模式
ui->labTitle->setText(tr("设定名字/增加预定值"));
//游戏类型
if (pSheet->gameType>=0 && pSheet->gameType < ui->cmGameType->count())
{
ui->cmGameType->setCurrentIndex(pSheet->gameType);
}
ui->cmGameType->setEnabled(false);
//计费模式
if ((int)(pSheet->billing_method) >=0 && (int)(pSheet->billing_method)<ui->cmPayMode->count())
{
ui->cmPayMode->setCurrentIndex((int)(pSheet->billing_method));
}
ui->cmPayMode->setEnabled(false);
//选手名字
if (pSheet->archerName.length()>0)
{
ui->cmArcherName->setCurrentText(pSheet->archerName);
ui->cmArcherName->setEnabled(false);
}
ui->edPresetPlayVal->setText("");
ui->edPaidVal->setText("");
}
}
///
/// \brief SignIn::getSignInSheet 读出配置内容
/// \param sheet
/// \return
///
bool SignIn::getSignInSheet(SigninSheet& sheet)
{
sheet.archerName = "";
sheet.gameType = 0;
sheet.billing_method = Billing_ByTime;
sheet.billing_lim = 0;
sheet.pay_amount = 0;
sheet.archerName = ui->cmArcherName->currentText();
sheet.gameType = ui->cmGameType->currentIndex();
sheet.billing_method = (BillingMethod)(ui->cmPayMode->currentIndex());
//预定时间/箭数,必须有最小值
if (ui->edPresetPlayVal->text().trimmed().length()>0)
{
sheet.billing_lim = ui->edPresetPlayVal->text().toInt();
}
if (sheet.billing_method == BILLING_BYSHOTS)
{
if (sheet.billing_lim < min_shots)
sheet.billing_lim = min_shots;
}
else
{
if (sheet.billing_lim < min_times)
sheet.billing_lim = min_times;
}
if (ui->edPaidVal->text().trimmed().length()>0)
{
sheet.pay_amount = ui->edPaidVal->text().trimmed().toFloat();
}
return(true);
}
| [
"hcc21cn@163.com"
] | hcc21cn@163.com |
46ed55c6d02ce10548750528c22bd86c31997acb | fa3591362499ec26ae674614320f6c7f251ce4a5 | /C++/ControleDeDespesas/Conexao.cpp | 4ef28b4b365ef704a363cc3dfc6516abd896b4e8 | [] | no_license | LuanTavares/Controle-De-Despesas | 0db995fb1bd2e678e8b5954dffe529534552510a | df57ed3ff533b173c6bc7700edb8686ebea498ae | refs/heads/master | 2020-05-17T19:27:58.404232 | 2015-03-02T19:31:30 | 2015-03-02T19:31:30 | 20,292,115 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 331 | cpp | #include "Conexao.h"
#include <QSqlDriver>
Conexao::Conexao() {
db = QSqlDatabase::addDatabase("QMYSQL");
db.setDatabaseName("controlededespesa");
db.setHostName("localhost");
db.setPort(3306);
db.setUserName("root");
db.setPassword("luantavares");
}
QSqlDatabase Conexao::getDataBase(){
return db;
}
| [
"luantavares2902@gmail.com"
] | luantavares2902@gmail.com |
8e44fb07cfa685fb1843d422b2bc2bc413049d75 | 5d2d04c255a45c615b223c84640a0256aa4ba91f | /Project/WheelOfFortune_v5/Letter.h | c497d02a9022f46da78433330201092777339923 | [] | no_license | javierborja95/JB_CSC17a | dee213063855177fb4f855f8032b707af055a9b9 | a86a56a300d2f98ebef0c7b5742d82d7f2be5532 | refs/heads/master | 2021-07-11T10:45:38.415640 | 2016-12-10T07:14:35 | 2016-12-10T07:14:35 | 66,890,870 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 863 | h | /* File: Letter.h
* Author: Javier B
* Created on December 5, 2016, 6:08 PM
* Purpose: Class Specification File for Letter class
*/
#ifndef LETTER_H
#define LETTER_H
//System Libraries
using namespace std; //Namespace of the System Libraries
//User Libraries
class Letter{
protected:
char letter;
bool isUsed;
static int calls;
public:
Letter(char a){
letter=a;
isUsed=false;
calls++;
}
Letter(){
letter=' ';
isUsed=false;
calls++;
}
//Mutators
void setChar(char a)
{char a=letter;}
void use()
{isUsed=true;}
//Accessors
bool isUsed(){return isUsed;}
static int calls(){return calls;}
virtual void display();
};
#endif /* LETTER_H */
| [
"javierborja95@gmail.com"
] | javierborja95@gmail.com |
e561cbf50984d5649dee5148e92b439abab908e8 | 05df3699579aba2879d2dd6c4de421e7d4e75c61 | /src/autoupdaterwidgets/installwizard.cpp | f67527c683166e9a8494f230ba6efb26565036ad | [
"BSD-3-Clause"
] | permissive | Skycoder42/QtAutoUpdater | 2474f1df5b8cbbdb63319110941adec99082a4c3 | 762710464659176d1e41e0dc475e6f23c1b278ad | refs/heads/master | 2023-03-17T01:10:59.086734 | 2023-03-04T10:55:51 | 2023-03-04T10:55:51 | 48,326,244 | 731 | 183 | BSD-3-Clause | 2022-03-28T05:56:51 | 2015-12-20T15:26:26 | C++ | UTF-8 | C++ | false | false | 9,864 | cpp | #include "installwizard_p.h"
#include "ui_componentspage.h"
#include "ui_installpage.h"
#include "ui_successpage.h"
#include "ui_errorpage.h"
#include <QtGui/QPainter>
#include <QtGui/QCloseEvent>
#include <QtWidgets/QStyle>
#include <dialogmaster.h>
using namespace QtAutoUpdater;
InstallWizard::InstallWizard(UpdateInstaller *installer, QWidget *parent) :
QWizard{parent},
_installer{installer},
_installPage{new InstallPage{this}},
_successPage{new SuccessPage{this}},
_errorPage{new ErrorPage{this}}
{
_installer->setParent(this);
setWindowFlag(Qt::WindowContextHelpButtonHint, false);
setModal(false);
setWindowModality(Qt::NonModal);
setAttribute(Qt::WA_DeleteOnClose);
setWindowTitle(tr("Updater installer"));
setOption(QWizard::NoBackButtonOnStartPage);
setOption(QWizard::NoBackButtonOnLastPage);
setOption(QWizard::NoCancelButton);
#ifdef Q_OS_LINUX
setWizardStyle(QWizard::ModernStyle);
#endif
setPage(InstallPageId, _installPage);
setPage(SuccessPageId, _successPage);
setPage(ErrorPageId, _errorPage);
if (_installer->features().testFlag(UpdateInstaller::Feature::SelectComponents)) {
_componentsPage = new ComponentsPage{this};
setPage(ComponentsPageId, _componentsPage);
setStartId(ComponentsPageId);
} else
setStartId(InstallPageId);
}
UpdateInstaller *InstallWizard::installer() const
{
return _installer;
}
void InstallWizard::closeEvent(QCloseEvent *event)
{
if (currentId() == InstallPageId)
_installPage->cancel(event);
else
event->accept();
}
void QtAutoUpdater::applyHeaderSize(QHeaderView *view, QAbstractItemModel *model)
{
for (auto i = 0; i < model->columnCount(); ++i) {
auto sizeHint = model->headerData(i, Qt::Horizontal, Qt::UserRole + 100);
if (sizeHint.isValid()) {
auto hintValue = sizeHint.toInt();
if (hintValue <= 0)
view->setSectionResizeMode(i, static_cast<QHeaderView::ResizeMode>(-hintValue));
else {
view->setSectionResizeMode(i, QHeaderView::Fixed);
view->resizeSection(i, hintValue);
}
}
}
}
ComponentsPage::ComponentsPage(InstallWizard *parent) :
QWizardPage{parent},
_installer{parent->installer()},
_ui{new Ui::ComponentsPage{}}
{
_ui->setupUi(this);
_ui->treeView->setModel(_installer->componentModel());
applyHeaderSize(_ui->treeView->header(), _ui->treeView->model());
}
ComponentsPage::~ComponentsPage() = default;
bool ComponentsPage::validatePage()
{
if (_installer->components().isEmpty()) {
DialogMaster::warning(this,
tr("You must select at least one component to be installed!"),
tr("Component selection invalid"));
return false;
} else
return true;
}
int ComponentsPage::nextId() const
{
return InstallWizard::InstallPageId;
}
InstallPage::InstallPage(InstallWizard *parent) :
QWizardPage{parent},
_wizard{parent},
_ui{new Ui::InstallPage{}}
{
_ui->setupUi(this);
_ui->componentStatusView->setModel(_wizard->installer()->progressModel());
_ui->componentStatusView->setVisible(false);
const auto pColumn = _ui->componentStatusView->model()->property("progressColumn");
if (pColumn.isValid())
_ui->componentStatusView->setItemDelegateForColumn(pColumn.toInt(), new ProgressDelegate{});
applyHeaderSize(_ui->componentStatusView->header(), _ui->componentStatusView->model());
if (!_wizard->installer()->features().testFlag(UpdateInstaller::Feature::DetailedProgress))
_ui->detailButton->setEnabled(false);
connect(_wizard->installer(), &UpdateInstaller::updateGlobalProgress,
this, &InstallPage::updateGlobalProgress);
connect(_wizard->installer(), &UpdateInstaller::showEula,
this, &InstallPage::showEula,
Qt::QueuedConnection); // needed to not break installers that emit eulas from the start method
connect(_wizard->installer(), &UpdateInstaller::installSucceeded,
this, &InstallPage::installSucceeded);
connect(_wizard->installer(), &UpdateInstaller::installFailed,
this, &InstallPage::installFailed);
}
void InstallPage::cancel(QCloseEvent *event)
{
if (!_installing && !_installDone) {
if (event)
event->accept();
return;
}
if (event)
event->ignore();
if (_wizard->installer()->features().testFlag(UpdateInstaller::Feature::CanCancel)) {
if (DialogMaster::questionT(this,
tr("Cancel installation"),
tr("Cancel the update installation? This might leave the application "
"in an unrepairable state!"))
== QMessageBox::Yes) {
_nextEnabled = false;
emit completeChanged();
_wizard->installer()->cancelInstall();
}
}
}
InstallPage::~InstallPage() = default;
void InstallPage::initializePage()
{
_nextText = _wizard->buttonText(QWizard::NextButton);
_wizard->setButtonText(QWizard::NextButton, tr("Install"));
_installing = false;
_installDone = false;
_hasError = false;
_nextEnabled = true;
}
void InstallPage::cleanupPage()
{
_wizard->setButtonText(QWizard::NextButton, _nextText);
}
bool InstallPage::validatePage()
{
if (_installDone) {
_wizard->setButtonText(QWizard::NextButton, _nextText);
return true;
} else if (!_installing) {
_installing = true;
_nextEnabled = _wizard->installer()->features().testFlag(UpdateInstaller::Feature::CanCancel);
if (_nextEnabled)
_wizard->setButtonText(QWizard::NextButton, _wizard->buttonText(QWizard::CancelButton));
else
_wizard->setButtonText(QWizard::NextButton, _nextText);
emit completeChanged();
_wizard->button(QWizard::BackButton)->setEnabled(false);
_wizard->installer()->startInstall();
return false;
} else {
if (_wizard->installer()->features().testFlag(UpdateInstaller::Feature::CanCancel))
cancel();
return false;
}
}
bool InstallPage::isComplete() const
{
return _nextEnabled;
}
int InstallPage::nextId() const
{
return _hasError ? InstallWizard::ErrorPageId : InstallWizard::SuccessPageId;
}
void InstallPage::updateGlobalProgress(double percentage, const QString &status)
{
if (percentage < 0) {
if (_ui->progressBar->maximum() != 0) {
_ui->progressBar->setRange(0, 0);
_ui->progressBar->setTextVisible(false);
}
} else {
if (_ui->progressBar->maximum() == 0) {
_ui->progressBar->setRange(0, 1000);
_ui->progressBar->setTextVisible(true);
}
_ui->progressBar->setValue(static_cast<int>(percentage * 1000));
}
if (!status.isEmpty())
_ui->statusLabel->setText(status);
}
void InstallPage::showEula(const QVariant &id, const QString &htmlText, bool required)
{
const auto isFirst = _eulaQueue.isEmpty();
_eulaQueue.enqueue(std::make_tuple(id, htmlText, required));
if (isFirst)
showEulaImpl();
}
void InstallPage::installSucceeded(bool shouldRestart)
{
setField(SuccessPage::ShouldRestartField, shouldRestart);
_installing = false;
_installDone = true;
_nextEnabled = true;
emit completeChanged();
_wizard->setButtonText(QWizard::NextButton, _nextText);
_wizard->button(QWizard::BackButton)->setEnabled(false);
}
void InstallPage::installFailed(const QString &errorMessage)
{
setField(ErrorPage::ErrorMessageField, errorMessage);
_installing = false;
_hasError = true;
_installDone = true;
_nextEnabled = true;
emit completeChanged();
_wizard->setButtonText(QWizard::NextButton, _nextText);
_wizard->button(QWizard::BackButton)->setEnabled(false);
}
void InstallPage::showEulaImpl()
{
const auto &[id, htmlText, required] = _eulaQueue.head();
if (required) {
auto res = DialogMaster::question(this,
htmlText,
tr("Accept this EULA to continue installation?"),
tr("EULA acceptance requested"));
_wizard->installer()->eulaHandled(id, res == QMessageBox::Yes);
} else {
DialogMaster::information(this,
htmlText,
tr("Installation comes with the following EULA"),
tr("EULA information"));
}
_eulaQueue.dequeue();
if (!_eulaQueue.isEmpty())
showEulaImpl();
}
void InstallPage::ProgressDelegate::paint(QPainter *painter, const QStyleOptionViewItem &option, const QModelIndex &index) const
{
QStyleOptionProgressBar progressBarOption;
initStyleOption(&progressBarOption, option, index);
QApplication::style()->drawControl(QStyle::CE_ProgressBar,
&progressBarOption, painter);
}
QSize InstallPage::ProgressDelegate::sizeHint(const QStyleOptionViewItem &option, const QModelIndex &index) const
{
QStyleOptionProgressBar progressBarOption;
initStyleOption(&progressBarOption, option, index);
return QApplication::style()->sizeFromContents(QStyle::CT_ProgressBar, &progressBarOption, option.rect.size());
}
void InstallPage::ProgressDelegate::initStyleOption(QStyleOptionProgressBar *option, const QStyleOptionViewItem &oldOpt, const QModelIndex &index) const
{
*static_cast<QStyleOption*>(option) = oldOpt;
const auto progress = index.data().toDouble();
option->minimum = 0;
option->maximum = progress < 0.0 ? 0 : 1000;
option->progress = progress < 0.0 ? -1 : static_cast<int>(progress * 1000);
option->text = QString::number(static_cast<int>(progress * 100)) + QLatin1Char('%');
option->textVisible = progress >= 0.0;
}
const QString SuccessPage::ShouldRestartField {QStringLiteral("shouldRestart")};
SuccessPage::SuccessPage(InstallWizard *parent) :
QWizardPage{parent},
_installer{parent->installer()},
_ui{new Ui::SuccessPage{}}
{
_ui->setupUi(this);
registerField(ShouldRestartField, _ui->restartCheckBox, "visible");
}
SuccessPage::~SuccessPage() = default;
bool SuccessPage::validatePage()
{
if (_ui->restartCheckBox->isVisible() &&
_ui->restartCheckBox->isChecked())
_installer->restartApplication();
return true;
}
int SuccessPage::nextId() const
{
return -1;
}
const QString ErrorPage::ErrorMessageField {QStringLiteral("errorMessage")};
ErrorPage::ErrorPage(InstallWizard *parent) :
QWizardPage{parent},
_ui{new Ui::ErrorPage{}}
{
_ui->setupUi(this);
registerField(ErrorMessageField, _ui->errorLabel, "text");
}
ErrorPage::~ErrorPage() = default;
int ErrorPage::nextId() const
{
return -1;
}
| [
"Skycoder42@users.noreply.github.com"
] | Skycoder42@users.noreply.github.com |
261e26b095258513f236395a9cc9a368d298f3e9 | 0631797bb83160acc609d3aaff7c4c057e657646 | /dfs/cplusplus/src/dir/CRPCNIOSocketServer.cpp | 9bc4da6c8abee8e1add12bb6c4afb7841d0c8290 | [] | no_license | zpzhao/hatch | a11213c941dacbdb1176bcbcf4676131f9cebd6a | 0bc80834c4c63c9c15b09ce4625b7c2223f8e285 | refs/heads/master | 2022-12-12T04:21:54.771809 | 2021-03-18T05:56:54 | 2021-03-18T05:56:54 | 67,197,298 | 0 | 0 | null | 2022-12-08T02:36:06 | 2016-09-02T06:42:15 | C | UTF-8 | C++ | false | false | 5,294 | cpp | /*
* CRPCNIOSocketServer.cpp
*
* Created on: 2018年9月25日
* Author: zpzhao
*/
#include "CRPCNIOSocketServer.h"
#include "CServerRequest.h"
#include "CRPCServerResponse.h"
#include <sys/socket.h>
#include <unistd.h>
#include <netinet/in.h>
#include <arpa/inet.h>
#include <sys/epoll.h>
#include <cstring>
#define DEFAULT_MAXCONN 100
CRPCNIOSocketServer::CRPCNIOSocketServer(CRPCServerRequestListener *rl)
{
// TODO Auto-generated constructor stub
serversocket = 0;
listen_maxconn = DEFAULT_MAXCONN;
this->server_ep = 0;
this->p_ep_events = NULL;
this->quit = QUIT_NO;
receiver = rl;
}
CRPCNIOSocketServer::~CRPCNIOSocketServer()
{
// TODO Auto-generated destructor stub
}
/**
* 发送响应消息
*/
void CRPCNIOSocketServer::sendResponse(CServerRequest &request, CRPCServerResponse &response)
{
return ;
}
/**
* 线程处理
*/
void CRPCNIOSocketServer::run()
{
int eventNum = 0;
int iRet = 0;
while(quit != QUIT_YES)
{
// no timeout limits
eventNum = epoll_wait(this->server_ep, p_ep_events, listen_maxconn, -1);
if(eventNum < 0)
{
//printf("wait err:%d- %d - %d \n",errno,server_ep, listen_maxconn);
usleep(100);
continue;
}
iRet = ProcessEvent(eventNum);
if(iRet < 0)
{
printf("process Event err[%d]\n",errno); // TODO:
}
}
// exit server
close(this->server_ep);
close(this->serversocket);
delete[] this->p_ep_events;
return;
}
char *pbuff = new char[8024];
/**
* socket事件处理
*/
int CRPCNIOSocketServer::ProcessEvent(int eventNum)
{
int iRet = 0;
for(int i = 0; i < eventNum; i++)
{
int sockfd = this->p_ep_events[i].data.fd;
if(sockfd == this->serversocket)
{
// accept new connect
int connfd = 0;
struct sockaddr_in connsockaddr;
socklen_t sockaddrlen = sizeof(connsockaddr);
if ((connfd = accept(this->serversocket,
(struct sockaddr *) &connsockaddr, &sockaddrlen)) < 0) {
return connfd;
}
printf("connect server[%s:%d]\n",inet_ntoa(connsockaddr.sin_addr),connsockaddr.sin_port);
AddFd(connfd); // default edgetrrige and oneshot
}
else if(this->p_ep_events[i].events & EPOLLIN)
{
// readbuf, by multiple threads
int len = ReadBuff(this->p_ep_events[i].data.fd, pbuff, 8024);
CServerRequest *rq = new CServerRequest();
rq->InputBuffer(pbuff, len);
// receiver.ReceiveRecord
this->receiver->ReceiveRecord(*rq);
}
else if(this->p_ep_events[i].events & EPOLLOUT)
{
// sendbuf, in single threads, block socket;
;
}
else
{
//TODO:
printf("other epoll event[%#x]-fd[%#x]\n", this->p_ep_events[i], sockfd);
}
}
return 0;
}
/**
* 读消息
*/
int CRPCNIOSocketServer::ReadBuff(int fd , char *buff, int size)
{
int len = 0;
len = recv(fd, buff, size, 0);
return len;
}
/**
* 添加socket fd及对应事件到epoll中
*/
int CRPCNIOSocketServer::AddFd(int fd, int enable_et, int oneshot)
{
struct epoll_event ep_event;
memset((void*)&ep_event, 0x00, sizeof(ep_event));
//ep_event.events = EPOLLIN | EPOLLOUT;
ep_event.events = EPOLLIN ;
ep_event.data.fd = fd;
if(enable_et)
ep_event.events |= EPOLLET;
if(oneshot)
ep_event.events |= EPOLLONESHOT;
int iRet = epoll_ctl(this->server_ep, EPOLL_CTL_ADD, fd, &ep_event);
return iRet;
}
/**
* 结束线程运行
*/
void CRPCNIOSocketServer::shutdown()
{
quit = QUIT_YES;
this->join();
}
/**
* 创建socket,并设置参数
*/
int CRPCNIOSocketServer::CreateServer(unsigned int port, std::string address)
{
if(serversocket > 0)
return -1;
serversocket = socket(AF_INET,SOCK_STREAM, 0);
if(serversocket < 0)
{
return -1;
}
int oneValue = 1;
struct linger li = {0,0};
int ret = 0;
ret = setsockopt(serversocket, SOL_SOCKET, SO_REUSEADDR, &oneValue, sizeof(oneValue));
ret |= setsockopt(serversocket, SOL_SOCKET, SO_KEEPALIVE, &oneValue, sizeof(oneValue));
ret |= setsockopt(serversocket, SOL_SOCKET, SO_LINGER, &li, sizeof(li));
if(ret < 0)
{
printf("setsocketopt err[%d]\n",errno);
close(serversocket);
serversocket = -1;
return -1;
}
struct sockaddr_in serveraddr;
if(address == "*")
serveraddr.sin_addr.s_addr = htons(INADDR_ANY);
else
serveraddr.sin_addr.s_addr = inet_addr(address.c_str());
serveraddr.sin_family = AF_INET;
serveraddr.sin_port = htons(port);
if(bind(serversocket, (struct sockaddr *)&serveraddr, sizeof(serveraddr)) < 0)
{
printf("bind err[%d]\n",errno);
close(serversocket);
serversocket = -1;
return -1;
}
if(listen(serversocket, listen_maxconn) < 0)
{
printf("listen err[%d]\n",errno);
close(serversocket);
serversocket = -1;
return -1;
}
return 0;
}
/**
* 建立事件监听
*/
int CRPCNIOSocketServer::CreateEventWait()
{
if(p_ep_events)
return -1;
p_ep_events = new struct epoll_event[listen_maxconn];
if(NULL == p_ep_events)
return -1;
int flag = EPOLL_CLOEXEC;
server_ep = epoll_create1(flag);
printf("ep:%d - %d\n",errno, server_ep);
return server_ep;
}
int CRPCNIOSocketServer::InitServer(unsigned int port, std::string address)
{
int iRet = 0;
iRet = CreateServer(port, address);
if(iRet < 0)
{
printf("createserver err[%d]\n",errno);
return iRet;
}
iRet = CreateEventWait();
if(iRet < 0)
{
printf("create event err[%d]\n",errno);
return iRet;
}
iRet = AddFd(this->serversocket);
return iRet;
}
| [
"zhaozp@uxsino.com"
] | zhaozp@uxsino.com |
0cdb1efddca92206307ceba6e471aa29e41578e3 | 679f9daa6d41875e9eb1c981df6e2295419787aa | /Observer/MessageHandler.hpp | f50d36f56c377d0df418ab5b9b6cdefe538486f7 | [] | no_license | Tigole/rpg_engine | 4296546bdcaaa34e076f49e1e143cbd7cbd6f33f | 0667aa917fe452605fc3f5df174bd616b31cbf26 | refs/heads/master | 2021-01-19T03:27:41.351170 | 2018-11-18T19:02:29 | 2018-11-18T19:02:29 | 60,992,396 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 888 | hpp | #ifndef _MESSAGE_HANDLER_HPP
#define _MESSAGE_HANDLER_HPP 1
#include <unordered_map>
#include "Communicator.hpp"
template<typename MessageTypeId, typename MessageType>
class MessageHandler
{
public:
MessageHandler(){}
void mt_Add_Observer(const MessageTypeId& msg_id, Observer<MessageType>* observer)
{
m_subscriptions[msg_id].mt_Add_Observer(observer);
}
void mt_Unsubscribe(const MessageTypeId& msg_id, Observer<MessageType>* observer)
{
m_subscriptions[msg_id].mt_Remove_Observer(observer);
}
void mt_Dispatch(const MessageType& msg)
{
auto l_it = m_subscriptions.find(mt_Get_Type(msg));
if (l_it != m_subscriptions.end())
{
l_it->second.mt_Broadcast(msg);
}
}
protected:
virtual MessageTypeId mt_Get_Type(const MessageType& msg) = 0;
std::unordered_map<MessageTypeId, Communicator<MessageType>> m_subscriptions;
};
#endif // !_MESSAGE_HANDLER_HPP | [
"sylvain.janniere@laposte.net"
] | sylvain.janniere@laposte.net |
313f2401794443e4af74bc839c6ef27a9391190c | b54190e67d9cada7d61a667211266dc2f32c2a35 | /lab7_1.cpp | 787b7d024d711fd039ae6df53683a9a223e5972d | [] | no_license | gosiawis/AOOP | 2ea38a7da83992b51d7e6c8d0d924e0e5ddb4b83 | 987a1b56fe6333208a39ea3c5f2abff0ed65dd1d | refs/heads/master | 2020-04-23T20:48:53.440358 | 2019-03-13T09:18:16 | 2019-03-13T09:18:16 | 171,452,136 | 0 | 0 | null | null | null | null | WINDOWS-1250 | C++ | false | false | 3,170 | cpp | #include "stdafx.h"
#include <iostream>
#include <algorithm>
#include <numeric>
#include <vector>
#include <random>
#include <functional>
#include <iterator>
using namespace std;
class generatorLiczb {
static default_random_engine rng;
normal_distribution<double> dist;
public:
generatorLiczb(double mi = 0.0, double sigma = 1.0) :dist(mi, sigma) {};
double operator ()(){ return dist(rng); }
};
default_random_engine generatorLiczb::rng;
class generatorVectora {
private:
int size;
public:
generatorVectora(int n) :size(n) {};
vector<double> operator()()
{
vector<double> punkt(size);
generatorLiczb gen(5.0, 10.0);
generate(punkt.begin(), punkt.end(), gen); //zapełnianie wektorów punktów (wspolrzedne)
return punkt;
}
};
class addVectors { //funktor do dodawanie wektorów do siebie - zwraca sumę pierwszegop z pierwszym, drug z drug itd...
private:
vector<double>& centroid;
public:
addVectors(vector<double> ¢r) : centroid(centr) {};
vector<double> operator()(vector<double> ¢roid, const vector<double> &element) const {
transform(element.begin(), element.end(), centroid.begin(), centroid.begin(), plus<double>());
return centroid;
}
};
class divideValue {
private:
double divider;
public:
divideValue(const double& value) :divider(value) {};
void operator() (double& elem) const
{
elem /= divider;
}
};
double multiplie2(double n)
{
return n *2;
}
class minusVectors {
private:
vector<double> centroid;
public:
minusVectors(vector<double> ¢r) :centroid(centr) {};
vector<double> operator()(vector<double> &element, vector<double> ¢roid) const {
transform(centroid.begin(), centroid.end(), element.begin(), element.begin(), minus<double>());
return element;
}
};
int main()
{
cout << "Ile przestrzeni? ";
int n;
cin >> n;
vector<vector<double>> A(100); //chmura A - 100 pkt w n wym przestrzeni
generatorVectora vec(n); //obiekt funkcyjny
generate(A.begin(), A.end(), vec); //zapełnianie chmury
//obliczanie centroidu
vector<double> centroidA(n); //wektor ze wsp centroidu chmury A
centroidA.assign(n, 0.0);
addVectors adv(centroidA);
centroidA=accumulate(A.begin(), A.end(), centroidA, adv); //powinien dodawać po kolei wektory do centroidu
for_each(centroidA.begin(), centroidA.end(), divideValue(100.0));
cout << "Centroid A: ";
copy(centroidA.begin(), centroidA.end(), ostream_iterator<double>(cout, " "));
cout << endl;
//symetria srodkowa w chmurze A'=B
vector<vector<double>> B(100);
vector<double> centroid2(n);
transform(centroidA.begin(), centroidA.end(), centroid2.begin(), multiplie2);
cout << "Centroid 2: ";
copy(centroid2.begin(), centroid2.end(), ostream_iterator<double>(cout, " "));
cout << endl;
minusVectors mvec(centroid2);
transform(A.begin(), A.end(), B.begin(), B.begin(), mvec);
vector<double> centroidB(n);
centroidB.assign(n, 0.0);
addVectors advb(centroidB);
centroidB=accumulate(B.begin(), B.end(), centroidB, advb);
for_each(centroidB.begin(), centroidB.end(), divideValue(100.0));
cout << "Centroid B: ";
copy(centroidB.begin(), centroidB.end(), ostream_iterator<double>(cout, " "));
cout << endl;
return 0;
}
| [
"malgosia.wisniewska@hotmail.com"
] | malgosia.wisniewska@hotmail.com |
222f9034a92d251861fa70171faa23c0c968eebc | eba9f1b0795a728c91bf0285193259a98407b7dc | /Phoenix/PX2Engine/Graphics/PX2Node.hpp | 162b77d25818b456d58310a0bc07905f350f6785 | [] | no_license | swordlegend/Phoenix | 908ea480a9f0e9ea41ae4571a4b01caa917f06bd | d14b478f4c759b66a36f3d39defae42bb654555b | refs/heads/master | 2021-01-19T20:22:08.862065 | 2017-04-17T03:56:08 | 2017-04-17T03:56:08 | null | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 2,765 | hpp | // PX2Node.hpp
#ifndef PX2NODE_HPP
#define PX2NODE_HPP
#include "PX2GraphicsPre.hpp"
#include "PX2Movable.hpp"
#include "PX2Culler.hpp"
#include "PX2Function.hpp"
namespace PX2
{
typedef void(*TravelExecuteFun) (Movable *mov, Any *data, bool &goOn);
/// 场景节点类
/**
* 该类实现“父亲-孩子”机制,用来组织场景的构建。从该类可以派生不同的类如:
* BspNode,SwitchNode等,实现不同的场景组织方式。
*/
class PX2_ENGINE_ITEM Node : public Movable
{
PX2_DECLARE_RTTI;
PX2_DECLARE_NAMES;
PX2_DECLARE_PROPERTY;
PX2_DECLARE_FUNCTION;
PX2_NEW(Node);
PX2_DECLARE_STREAM(Node);
public:
Node ();
virtual ~Node ();
virtual void Play ();
virtual bool IsPlaying () const;
virtual void Stop ();
virtual void Reset ();
/// 获得孩子数量
int GetNumChildren () const;
int GetNumValidChildren () const;
virtual int AttachChild (Movable* child);
void InsertChild (Movable *before, Movable *child);
virtual int DetachChild (Movable* child);
virtual bool DetachChildByName (const std::string &name);
virtual MovablePtr DetachChildAt (int i);
virtual void DetachAllChildren ();
virtual MovablePtr SetChild (int i, Movable* child);
virtual MovablePtr GetChild (int i);
std::vector<MovablePtr> &GetChildren();
virtual MovablePtr GetChildByName (const std::string &name);
bool IsHasChild(const Movable *child) const;
virtual void Enable(bool enable);
virtual void SetActivate(bool act);
virtual void MarkAlphaColorBrightnessChanged();
virtual void SetCastShadow(bool castShadow);
virtual void SetReceiveShadow(bool reciveShadow);
void SetDoPickPriority (bool doPickPriority); // 一般用来为Node设置
bool IsDoPickPriority () const;
virtual void OnNotPicked (int pickInfo);
void SetNeedCalUpdateChild (bool needCal);
bool IsNeedCalUpdateChild () const;
void SetAnchorID (int anchorID);
int GetAnchorID () const;
static void TravelExecute(Movable *mov, TravelExecuteFun fun, Any *data=0);
public_internal:
virtual void OnCulled(Culler& culler);
protected:
virtual void OnChildAttached(Movable *child);
virtual void OnChildDetach(Movable *child);
// 几何图形更新
virtual void UpdateWorldData (double applicationTime, double elapsedTime);
virtual void UpdateWorldBound ();
void _UpdateWorldDataChild(double applicationTime, double elapsedTime);
// 场景继承裁剪
virtual void OnGetVisibleSet (Culler& culler, bool noCull);
// 孩子列表
std::vector<MovablePtr> mChild;
int mAnchorID;
std::vector<Movable*> mUpdateChild;
bool mIsNeedCalUpdateChild;
bool mIsDoPickPriority;
};
PX2_REGISTER_STREAM(Node);
typedef Pointer0<Node> NodePtr;
#include "PX2Node.inl"
}
#endif
| [
"realmany@qq.com"
] | realmany@qq.com |
0f20ccb75170767e532e43be8f4f7de97c2514fd | 76abac2a3d4601b906fedf567e41ca4a7b8f90cb | /2DGraph.cpp | 8da87ca163a3ea3c621eefd1630035ed62ab1172 | [] | no_license | sergeigrebenyuk/nfields | ec84e46e3486cd73173e842e5a9407835122dbad | 582d49bb06bcca4f16b4d775a0b2f98b9bdc8bc2 | refs/heads/master | 2016-08-06T04:43:24.895605 | 2015-02-01T16:17:26 | 2015-02-01T16:17:26 | 30,123,190 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,352 | cpp | // 2DGraph.cpp: implementation of the C2DGraph class.
//
//////////////////////////////////////////////////////////////////////
#include "stdafx.h"
#include "2DGraph.h"
#ifdef _DEBUG
#undef THIS_FILE
static char THIS_FILE[]=__FILE__;
#define new DEBUG_NEW
#endif
//////////////////////////////////////////////////////////////////////
// Construction/Destruction
//////////////////////////////////////////////////////////////////////
C2DGraph::C2DGraph()
{
xFrom=0.;
xTo=-1.0;
yFrom=-150.;
yTo=50.;
xZoom = 1.;
yZoom = 1.;
sLabel= "Unlabeled graph";
//CFVProfileApp* app = (CFVProfileApp*)AfxGetApp();
m_cTrialCol = RGB(0,0,0);
m_cAverCol = RGB(0,0,0);
m_cTrialColSel = RGB(0,0,0);
m_cAverColSel = RGB(0,0,0);
m_nTrialStyle = RGB(0,0,0);
m_nAverStyle = RGB(0,0,0);
m_nTrialLineWidth = RGB(0,0,0);
m_nAverLineWidth = RGB(0,0,0);
}
C2DGraph::~C2DGraph()
{
for (int i=0; i < Series.GetSize(); i++)
{
((_2DGRAPH_PARAM_STRUCT *)(Series[i]))->data->RemoveAll();
delete ((_2DGRAPH_PARAM_STRUCT *)(Series[i]))->data;
delete Series[i];
}
Series.RemoveAll();
}
void C2DGraph::SetCanvas(CDC *dc,RECT &r)
{
//DC = dc;
Area = r;
}
int C2DGraph::AddSerie(_2DGRAPH_PARAM_STRUCT * s)
{
return Series.Add(s);
}
void C2DGraph::SetSerieAttributes(int idx, _2DGRAPH_PARAM_STRUCT *s)
{
}
void C2DGraph::Draw(CDC* DC)
{
//CFVProfileApp* app = (CFVProfileApp*)AfxGetApp();
CFont TitleFont;
TitleFont.CreatePointFont(100, "Arial Bold", DC);
CFont AxisFont;
AxisFont.CreatePointFont(70, "Arial", DC);
DC->SelectObject(&TitleFont);
DC->SetTextColor(RGB(100,0,0));
DC->DrawText(sLabel,&Area,DT_CENTER);
RECT g;
g.left = Area.left+30;
g.right = Area.right-20;
g.top = Area.top + 20;
g.bottom = Area.bottom-20;
CPen borderPen,dataPen;
borderPen.CreatePen(PS_SOLID, 1, RGB(0, 0, 50));
DC->SelectObject(&borderPen);
DC->Rectangle(&g);
// Determine maximum length of Series
float MaxTime=0.0;
/*
for (int i=0; i< Series.GetSize(); i++)
{
_2DGRAPH_PARAM_STRUCT * s = (_2DGRAPH_PARAM_STRUCT *)Series[i];
if (!s) {continue;}
if (!s->microns)
if (MaxTime < float(s->data->GetSize())*s->dt) MaxTime = float(s->data->GetSize())*s->dt;
}
*/
//yTo/=5.;
if (xFrom < 0.) xFrom = 0;
if (xTo <= 0.) xTo = MaxTime;
//if (yTo <= 0.) yTo = 10.;
float dy = float(g.bottom - g.top) / float(yTo-yFrom);
float w = (float) (g.right- g.left);
float w2 = (float) (g.bottom- g.top);
float t = xTo - xFrom;
float t2 = yTo - yFrom;
float beta = t / w;
float gamma = t2 / w2;
//Draw Grid
CPen axisPen; axisPen.CreatePen(PS_SOLID,1,RGB(150,150,150));
DC->SelectObject(&axisPen);
DC->SelectObject(&AxisFont);
CString s; s.Format("%5.1f",float(xTo));
CSize c = DC->GetOutputTextExtent(s);
float x = float(xGrid) / beta;
int ff = c.cx/x +1;
//if ((xTo-xFrom)/xGrid > 100) xGrid = (xTo-xFrom)/100.0;
xGrid = (xTo-xFrom)/20.0;
for (float t_step=xFrom+xGrid, t_l=0; t_step < xTo; t_step+= xGrid, t_l++)
{
x = float(t_step-xFrom) / beta;
DC->MoveTo(g.left+x, g.top );
DC->LineTo(g.left+x, g.bottom);
s.Format("%5.1f",float(t_step*1E3));
c = DC->GetOutputTextExtent(s);
if (! (int(t_l)%ff))
{
DC->TextOut(g.left+x-c.cx/2,g.bottom+2,s);
DC->MoveTo(g.left+x, g.bottom );
DC->LineTo(g.left+x, g.bottom-4);
}
}
CPen NormPen; NormPen.CreatePen(PS_SOLID,2,RGB(255,255,0));
CPen *oldPen; oldPen = DC->SelectObject(&NormPen);
DC->SelectObject(oldPen);
//if ((yTo-yFrom)/yGrid > 100) yGrid = (yTo-yFrom)/100.0;
yGrid = (yTo-yFrom)/10.0;
for (float y_step=yFrom+yGrid; y_step < yTo; y_step+= yGrid)
{
int y = float(y_step-yFrom) / gamma;
DC->MoveTo(g.left, g.bottom-y );
DC->LineTo(g.right, g.bottom-y);
s.Format("%5.1f",float(y_step));
c = DC->GetOutputTextExtent(s);
DC->TextOut(g.left - c.cx-2,g.bottom-y-c.cy/2,s);
}
axisPen.DeleteObject();
//Perform actual drawing
for (int i=0; i< Series.GetSize(); i++)
{
_2DGRAPH_PARAM_STRUCT * s = (_2DGRAPH_PARAM_STRUCT *)Series[i];
//if (!s) {continue;}
if (!s->b_visible) continue;
COLORREF col;
int lw;
if (s->MouseOver)
{
col = RGB(255,0,0);
lw = 3;
}
else
{
col = RGB(0,0,0);
lw = 1;
}
float l = s->data->GetSize();
float dt = s->dt;
float ppp = l/w;
//drawing axies
DC->SetROP2(R2_COPYPEN );
dataPen.CreatePen(PS_SOLID,lw,col);
CPen * oldPen = DC->SelectObject(&dataPen);
//float mx = s->pSI->max_roi[s->nROI].MaxX;
//float my = s->pSI->max_roi[s->nROI].MaxY;
if (s->c_type==GT_DOT)
{
int d = s->n_LineWidth/2.;
for (float x = 0.0; x< g.right- g.left; x+=1.0 )
{
int idx =xFrom/dt + x * beta / dt;
if ((idx>=l )||(idx<0 )) continue;
float dp = (*s->data)[idx];
//if (dp<yFrom) dp = yFrom;
//if (dp>yTo) dp = yTo;
int xo = g.left+x;
float yo = dy*(dp-yFrom);
if ((yo >=w2 )||(yo <= 0.0 )) continue;
for (int k1=-d; k1<=d;k1++)
for (int k2=-d; k2<=d;k2++)
DC->SetPixel( xo+k1,g.bottom - yo+k2,col);
}
}
if (s->c_type==GT_LINE)
{
bool f=false;
for (float x = 0.0; x< g.right-g.left; x+=1.0 )
{
int idx =(xFrom)/dt- s->nTick + x* beta / dt;
if ((idx>=l )||(idx<0 )) continue;
float dp = (*s->data)[idx];
//if (dp<yFrom) dp = yFrom;
//if (dp>yTo) dp = yTo;
float y = dy*(dp-yFrom);
if ((y >=w2 )||(y <=0.0 )) continue;
if (!f)
{DC->MoveTo(g.left+x, g.bottom - y);f=true;}
else
DC->LineTo(g.left+x, g.bottom - y);
}
}
DC->SelectObject(oldPen);
dataPen.DeleteObject();
}
}
int C2DGraph::AddXMark(float X, CString &Label)
{
return 0;
}
bool C2DGraph::OnPoint(CPoint &p)
{
bool res = false;
if ((p.x>Area.left)&&(p.x<Area.right)&&
(p.y>Area.top)&&(p.y<Area.bottom))
res = true;
else
res = false;
return res;
}
| [
"sergeigrebenyuk@gmail.com"
] | sergeigrebenyuk@gmail.com |
17d1fdf9148cbf7b4158fad5286b96381eaba038 | d3f28e804167124ea95a208dabd82d32c7599b0c | /test_iterator/B.cpp | a85161db7421e9c9e67ee9de4f279f994a44a6d2 | [] | no_license | Vlad-ole/Parser_signal_finder | 2912219e0fd361641f1771c3501536befa4f16d4 | c378e514ddd4f2a0081ad5755090bd9fb2a3ca80 | refs/heads/master | 2020-05-29T08:46:04.440580 | 2017-06-30T08:01:29 | 2017-06-30T08:01:29 | 69,550,531 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 149 | cpp | #include "B.h"
B::B(int i)
{
xv.push_back(100);
xv.push_back(i);
xv.push_back(30);
}
B::~B()
{
}
vector<double>& B::GetXv()
{
return xv;
}
| [
"Vlad-ole@mail.ru"
] | Vlad-ole@mail.ru |
9346385c22647a61158267aa82b63a12b88b232f | ea49dd7d31d2e0b65ce6aadf1274f3bb70abfaf9 | /problems/0784_Letter_Case_Permutation/石成玉.cpp | 15fd340f7c03bde7c6c8cd24daea9509b4b7363a | [] | no_license | yychuyu/LeetCode | 907a3d7d67ada9714e86103ac96422381e75d683 | 48384483a55e120caf5d8d353e9aa287fce3cf4a | refs/heads/master | 2020-03-30T15:02:12.492378 | 2019-06-19T01:52:45 | 2019-06-19T01:52:45 | 151,345,944 | 134 | 331 | null | 2019-08-01T02:56:10 | 2018-10-03T01:26:28 | C++ | UTF-8 | C++ | false | false | 879 | cpp | class Solution {
public:
vector<string> letterCasePermutation(string S) {
vector<string> ans;
string sub_ans;
traverse(ans, sub_ans, S, 0);
return ans;
}
void traverse(vector<string> &ans, string &sub_ans, string &S, int i) {
if(i < S.size()) {
sub_ans.push_back(S[i]);
traverse(ans, sub_ans, S, i + 1);
sub_ans.pop_back();
if(S[i] >= 'a' && S[i] <= 'z'){
sub_ans.push_back(S[i] - 32);
traverse(ans, sub_ans, S, i + 1);
sub_ans.pop_back();
}
else if(S[i] >= 'A' && S[i] <= 'Z'){
sub_ans.push_back(S[i] + 32);
traverse(ans, sub_ans, S, i + 1);
sub_ans.pop_back();
}
}
else
ans.push_back(sub_ans);
}
};
| [
"493525977@qq.com"
] | 493525977@qq.com |
a7482d0fa2d4cafecadfd27f7a1d69cdd7cd4da9 | fad17ca96190dc2fd2aa1a53f7307adc64053faa | /src/gfx/core/Color.h | 87789ba38d5ed17d47957909eeb46710081155df | [] | no_license | dbp038/Software-Render | d6c65da3561e6f70745671f27e5383c0dd9b2120 | 6b6493441e70303016e41cc531c33659875f97cd | refs/heads/master | 2023-01-01T00:44:00.848101 | 2020-10-17T17:48:05 | 2020-10-17T17:48:05 | 257,016,063 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,051 | h | /******************************************************************************************
* Chili DirectX Framework Version 16.10.01 *
* Colors.h *
* Copyright 2016 PlanetChili <http://www.planetchili.net> *
* *
* This file is part of The Chili DirectX Framework. *
* *
* The Chili DirectX Framework is free software: you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation, either version 3 of the License, or *
* (at your option) any later version. *
* *
* The Chili DirectX Framework is distributed in the hope that it will be useful, *
* but WITHOUT ANY WARRANTY; without even the implied warranty of *
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
* GNU General Public License for more details. *
* *
* You should have received a copy of the GNU General Public License *
* along with The Chili DirectX Framework. If not, see <http://www.gnu.org/licenses/>. *
******************************************************************************************/
#pragma once
class Color {
public:
unsigned int dword;
public:
constexpr Color() : dword() {}
constexpr Color( const Color &col )
:
dword( col.dword ) {}
constexpr Color( unsigned int dw )
:
dword( dw ) {}
constexpr Color( unsigned char x, unsigned char r, unsigned char g, unsigned char b )
:
dword( ( x << 24u ) | ( r << 16u ) | ( g << 8u ) | b ) {}
constexpr Color( float x, float r, float g, float b )
: dword(
( unsigned char( x ) << 24u ) |
( unsigned char( r ) << 16u ) |
( unsigned char( g ) << 8u ) |
unsigned char( b ) )
{}
constexpr Color( float r, float g, float b )
: dword(
( unsigned char( r ) << 16u ) |
( unsigned char( g ) << 8u ) |
unsigned char( b ) )
{}
constexpr Color( unsigned char r, unsigned char g, unsigned char b )
:
dword( ( r << 16u ) | ( g << 8u ) | b ) {}
constexpr Color( Color col, unsigned char x )
:
Color( ( x << 24u ) | col.dword ) {}
Color( float x, const Vector3f &colf )
:
Color( x, colf[ 0 ], colf[ 1 ], colf[ 2 ] ) {}
Color( const Vector3f &colf, float a )
:
Color( a, colf[ 0 ], colf[ 1 ], colf[ 2 ] ) {}
Color( const Vector4f &colf )
:
Color( colf[0], colf[1], colf[2], colf[3] ) {}
Color &operator=( Color color ) {
dword = color.dword;
return *this;
}
bool operator==( const Color &rhs ) const {
return GetA() == rhs.GetA() && GetR() == rhs.GetR() && GetG() == rhs.GetG() && GetB() == rhs.GetB();
}
bool operator!=( const Color &rhs ) const {
return !( *this == rhs );
}
Color operator*( const float &rhs ) const {
return Color(
std::clamp(GetA() * rhs , 0.0f, 255.0f),
std::clamp(GetR() * rhs , 0.0f, 255.0f),
std::clamp(GetG() * rhs , 0.0f, 255.0f),
std::clamp(GetB() * rhs , 0.0f, 255.0f)
);
}
Color operator*=( const float &rhs ) {
return *this = *this * rhs;
}
constexpr unsigned char GetX() const {
return dword >> 24u;
}
constexpr unsigned char GetA() const {
return GetX();
}
constexpr unsigned char GetR() const {
return ( dword >> 16u ) & 0xFFu;
}
constexpr unsigned char GetG() const {
return ( dword >> 8u ) & 0xFFu;
}
constexpr unsigned char GetB() const {
return dword & 0xFFu;
}
void SetX( unsigned char x ) {
dword = ( dword & 0xFFFFFFu ) | ( x << 24u );
}
void SetA( unsigned char a ) {
SetX( a );
}
void SetR( unsigned char r ) {
dword = ( dword & 0xFF00FFFFu ) | ( r << 16u );
}
void SetG( unsigned char g ) {
dword = ( dword & 0xFFFF00FFu ) | ( g << 8u );
}
void SetB( unsigned char b ) {
dword = ( dword & 0xFFFFFF00u ) | b;
}
Vector3f ToVector3f() const {
return { static_cast<float>( GetR() ), static_cast<float>( GetG() ), static_cast<float>( GetB() ) };
}
Vector4f ToVector4f() const {
return { static_cast<float>( GetA() ), static_cast<float>( GetR() ), static_cast<float>( GetG() ), static_cast<float>( GetB() ) };
}
};
namespace Colors {
static constexpr Color MakeRGB( unsigned char r, unsigned char g, unsigned char b ) {
return ( r << 16 ) | ( g << 8 ) | b;
}
static constexpr Color White = MakeRGB( 255u, 255u, 255u );
static constexpr Color Black = MakeRGB( 0u, 0u, 0u );
static constexpr Color Gray = MakeRGB( 0x80u, 0x80u, 0x80u );
static constexpr Color LightGray = MakeRGB( 0xD3u, 0xD3u, 0xD3u );
static constexpr Color Red = MakeRGB( 255u, 0u, 0u );
static constexpr Color Green = MakeRGB( 0u, 255u, 0u );
static constexpr Color Blue = MakeRGB( 0u, 0u, 255u );
static constexpr Color Yellow = MakeRGB( 255u, 255u, 0u );
static constexpr Color Cyan = MakeRGB( 0u, 255u, 255u );
static constexpr Color Magenta = MakeRGB( 255u, 0u, 255u );
static constexpr Color Brown = MakeRGB( 160u, 82u, 45u );
static constexpr Color Orange = MakeRGB( 255u, 165u, 0u );
static constexpr Color Pink = MakeRGB( 255u, 105u, 180u );
} | [
"dbp038bn@gmail.com"
] | dbp038bn@gmail.com |
aec752fb2322a59c495d9e0517853904f858380a | 8fb0a9052edc8a01f2e022340cdf6ea5db5f027b | /src/Collision/CollisionHandler.cpp | e4bab86b74cff40cb1472fc71ba208282eaf9612 | [] | no_license | ungame/sdl-game-engine | 7f44835886c750b48ba217e3962439c088fb7291 | 26ea47b6e35a43198d70e3cec7e169d2406beac2 | refs/heads/master | 2023-06-22T22:05:30.470552 | 2021-07-27T03:36:36 | 2021-07-27T03:36:36 | 380,649,905 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,276 | cpp | #include "CollisionHandler.h"
#include "Engine.h"
#include <SDL2/SDL.h>
CollisionHandler* CollisionHandler::s_Instance = nullptr;
CollisionHandler::CollisionHandler()
{
m_CollisionLayer = (TileLayer*) Engine::GetInstance()->GetMap()->GetMapLayers().back();
m_CollisionTilemap = m_CollisionLayer->GetTilemap();
}
bool CollisionHandler::CheckCollision(SDL_Rect a, SDL_Rect b)
{
bool x_overlaps = (a.x < b.x + b.w) && (a.x + a.w > b.x);
bool y_overlaps = (a.y < b.y + b.h) && (a.y + a.h > b.y);
return (x_overlaps && y_overlaps);
}
bool CollisionHandler::MapCollision(SDL_Rect a)
{
int tileSize = 32;
int RowCount = 20;
int ColCount = 60;
int left_tile = a.x / tileSize;
int right_tile = (a.x + a.w) / tileSize;
int top_tile = a.y / tileSize;
int bottom_tile = (a.y + a.h) / tileSize;
if(left_tile < 0) left_tile = 0;
if(right_tile > ColCount) right_tile = ColCount;
if(top_tile < 0) top_tile = 0;
if(bottom_tile > RowCount) bottom_tile = RowCount;
for(int i = left_tile; i <= right_tile; ++i)
{
for(int j = top_tile; j <= bottom_tile; ++j)
{
if(m_CollisionTilemap[j][i] > 0)
{
return true;
}
}
}
return false;
} | [
"ungmea@gmail.com"
] | ungmea@gmail.com |
f495956e990e0b4d8c626b2fdf2498a3244fb301 | a13f4719417737970abc57e14879d08a190ab13b | /Primitive_Drawing - OpenGl 3.3+ std/Primitive_Drawing/CollisionManager.h | 506d6b6612e20f7b3476bd66c0890d7c489ac114 | [] | no_license | madadoux/OpenGL | 40dd586d5a33c173f207a8667e59619a63ed3e07 | 53cc5f9c4767608c76fbe03ec2abf2d50697c102 | refs/heads/master | 2021-01-21T13:41:57.367053 | 2016-05-21T13:44:01 | 2016-05-21T13:44:01 | 55,612,473 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 525 | h | #ifndef CollisionManager_h__
#define CollisionManager_h__
#include <vector>
#include "CollidableModel.h"
class CollisionManager
{
std::vector<CollidableModel*> collidableModels;
public:
CollisionManager(void);
~CollisionManager(void);
void UpdateCollisions();
void SetCollidableModels(std::vector<CollidableModel*> fCollidableModels);
void AddCollidableModel(CollidableModel* model);
void RemoveCollidableModel(int modelIndex);
void RemoveCollidableModel(CollidableModel* model);
};
#endif // CollisionManager_h__
| [
"mohedsh@gmail.com"
] | mohedsh@gmail.com |
9bac9f24d6f6fe134419c2dbc75174ae97dcb1d3 | 42c3d061692757a7029a3ebf3c52840eb53a89f4 | /SockLibX/rslvprot.cpp | 599def6a2ec3e7f0ee546971cbf098b6bfd30b47 | [
"BSL-1.0"
] | permissive | neilgroves/MlbDev | 510b4877e85fc18e86941006debd5b65fdbac5dc | aee71572e444aa82b8ce05328e716807e1600521 | refs/heads/master | 2021-01-16T22:20:18.065564 | 2014-02-21T12:35:32 | 2014-02-21T12:35:32 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,767 | cpp | /* *********************************************************************** */
/* *********************************************************************** */
/* Network Programming Support Library (NPSL) Source Module */
/* *********************************************************************** */
/*
File Name : %M%
File Version : %I%
Last Extracted : %D% %T%
Last Updated : %E% %U%
File Description : Resolves protocol information.
Revision History : 1993-04-12 --- Creation
Michael L. Brock
Copyright Michael L. Brock 1993 - 2014.
Distributed under the Boost Software License, Version 1.0.
(See accompanying file LICENSE_1_0.txt or copy at
http://www.boost.org/LICENSE_1_0.txt)
*/
/* *********************************************************************** */
/* *********************************************************************** */
/* *********************************************************************** */
/* Include necessary header files . . . */
/* *********************************************************************** */
#include "npsli.h"
/* *********************************************************************** */
/* *********************************************************************** */
int NPSL_ResolveProtoToSint(const char *proto_string, int *out_proto,
char *error_text)
{
int return_code;
NPSL_PROTOENT pent_data;
char buffer[8192];
if ((return_code = NPSL_GetProtoByString(proto_string, &pent_data, buffer,
sizeof(buffer), error_text)) == NPSL_SUCCESS) {
if (out_proto != NULL)
*out_proto = pent_data.p_proto;
}
return(return_code);
}
/* *********************************************************************** */
| [
"michael.brock@gmail.com"
] | michael.brock@gmail.com |
3c6f5081c788ac3ad24c232c29f5d90512a57f8c | 2b971fba3e6458017878629267ff3aaa56f52a4a | /plugins/opengl/include/sge/opengl/egl/display_unique_ptr.hpp | fa322db10580067c0543014aa35733c6df05d71c | [] | no_license | BlenderCN-Org/spacegameengine | 31c592ae411989a14593bd432b519a0bf185f12f | 8df13fe9b9d734b19591dbed8fd753342e87ef5c | refs/heads/master | 2020-05-23T23:59:49.731228 | 2019-04-28T09:23:04 | 2019-04-28T09:23:04 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,190 | hpp | /*
spacegameengine is a portable easy to use game engine written in C++.
Copyright (C) 2006-2016 Carl Philipp Reh (carlphilippreh <at> gmail.com)
This program is free software; you can redistribute it and/or
modify it under the terms of the GNU Lesser General Public License
as published by the Free Software Foundation; either version 2
of the License, or (at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Lesser General Public License for more details.
You should have received a copy of the GNU Lesser General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
*/
#ifndef SGE_OPENGL_EGL_DISPLAY_UNIQUE_PTR_HPP_INCLUDED
#define SGE_OPENGL_EGL_DISPLAY_UNIQUE_PTR_HPP_INCLUDED
#include <sge/opengl/egl/display_fwd.hpp>
#include <fcppt/unique_ptr_impl.hpp>
namespace sge
{
namespace opengl
{
namespace egl
{
typedef
fcppt::unique_ptr<
sge::opengl::egl::display
>
display_unique_ptr;
}
}
}
#endif
| [
"carlphilippreh@gmail.com"
] | carlphilippreh@gmail.com |
39479d9730813d411fee582603dea4968af78088 | 5e4eb8ed028cbbf27c0df9dbd7ad1f91a3892436 | /xPhoton/dev/treeMgr.cc | c0b412b0069323f409fc0321fa251d1c3145c37d | [] | no_license | Hsin-Yeh/xPhoton | 66f9bcf5fc194b13d97efef26f01b2fc11ef7481 | 41246f95aded2bd1e10e2431e68e405017a18475 | refs/heads/main | 2023-05-25T14:44:42.345736 | 2021-06-03T05:09:54 | 2021-06-03T05:09:54 | 373,386,544 | 0 | 0 | null | 2021-06-03T05:03:01 | 2021-06-03T05:03:01 | null | UTF-8 | C++ | false | false | 6,416 | cc | //#include "xPhoton/xPhoton/interface/treeMgr.h"
#include "xPhoton/xPhoton/dev/treeMgr.h"
void treeMgr::FillEvt()
{ t->Fill(); }
void treeMgr::Clean()
{ TTree* t_ = t; memset((treeMgr*)this, 0x0, sizeof(treeMgr)); t = t_; }
void treeMgr::WriteTo(TDirectory* dir)
{
if ( dir ) dir->cd();
LOG_INFO( "write tree %s In directory %s", t->GetName(), dir ? dir->GetName() : "current directory" );
t->Write();
}
void treeMgr::Delete()
{ if (t) delete t; t=nullptr; }
treeMgr::treeMgr(bool additionalinfo) : _additionalInfo(additionalinfo)
{ Clean(); t = nullptr; }
TTree* treeMgr::BuildingTreeStructure(const std::string& name, bool isMC )
{
LOG_CRITICAL( "Building new tree %s", name.c_str() );
t = new TTree( name.c_str(), name.c_str() );
LOG_INFO("Register format of output tree");
if(_additionalInfo)
{
t->Branch("jetSubVtxPt",&jetSubVtxPt,"jetSubVtxPt/F");
t->Branch("jetSubVtxMass",&jetSubVtxMass,"jetSubVtxMass/F");
t->Branch("jetSubVtx3DVal",&jetSubVtx3DVal,"jetSubVtx3DVal/F");
t->Branch("jetSubVtx3DErr",&jetSubVtx3DErr,"jetSubVtx3DErr/F");
t->Branch("jetSubVtxNtrks",&jetSubVtxNtrks,"jetSubVtxNtrks/I");
}
t->Branch("run",&run,"run/I");
t->Branch("event",&event,"event/L");
t->Branch("isData",&isData,"isData/O");
if(!isMC)
{
t->Branch("HLT",&HLT,"HLT/L");
t->Branch("HLTIsPrescaled",&HLTIsPrescaled,"HLTIsPrescaled/L");
t->Branch("metFilters",&metFilters,"metFilters/I");
}
t->Branch("HLT50ns",&HLT50ns,"HLT50ns/L");
t->Branch("HLTIsPrescaled50ns",&HLTIsPrescaled50ns,"HLTIsPrescaled50ns/L");
t->Branch("phoFiredTrg",&phoFiredTrgs,"phoFiredTrgs/I");
if(isMC)
{
t->Branch("nMC",&nMC,"nMC/I");
t->Branch("pthat",&pthat,"pthat/F");
t->Branch("genHT",&genHT,"genHT/F");
t->Branch("mcPt",&mcPt,"mcPt/F");
t->Branch("mcEta",&mcEta,"mcEta/F");
t->Branch("mcPhi",&mcPhi,"mcPhi/F");
t->Branch("mcCalIso04",&mcCalIso04,"mcCalIso04/F");
t->Branch("mcTrkIso04",&mcTrkIso04,"mcTrkIso04/F");
}
t->Branch("recoPt",&recoPt,"recoPt/F");
t->Branch("recoEta",&recoEta,"recoEta/F");
t->Branch("recoPhi",&recoPhi,"recoPhi/F");
t->Branch("recoSCEta",&recoSCEta,"recoSCEta/F");
t->Branch("r9",&r9,"r9/F");
if(isMC)
{
t->Branch("isMatched",&isMatched,"isMatched/I");
t->Branch("isMatchedEle",&isMatchedEle,"isMatchedEle/I");
t->Branch("isConverted",&isConverted,"isConverted/I");
}
//t->Branch("idLoose",&idLoose,"idLoose/I");
//t->Branch("idMedium",&idMedium,"idMedium/I");
//t->Branch("idTight",&idTight,"idTight/I");
t->Branch("nVtx",&nVtx,"nVtx/I");
if(isMC)
{
t->Branch("nPU",&nPU,"nPU/I");
t->Branch("puwei",&puwei,"puwei/F");
}
t->Branch("eleVeto",&eleVeto,"eleVeto/I");
t->Branch("HoverE",&HoverE,"HoverE/F");
t->Branch("sieie",&sieie,"sieie/F");
t->Branch("sieip",&sieip,"sieip/F");
t->Branch("sipip",&sipip,"sipip/F");
t->Branch("chIso",&chIso,"chIso/F");
t->Branch("phoIso",&phoIso,"phoIso/F");
t->Branch("nhIso",&nhIso,"nhIso/F");
t->Branch("chIsoRaw",&chIsoRaw,"chIsoRaw/F");
t->Branch("chWorstIsoRaw",&chWorstIsoRaw,"chWorstIsoRaw/F");
t->Branch("phoIsoRaw",&phoIsoRaw,"phoIsoRaw/F");
t->Branch("nhIsoRaw",&nhIsoRaw,"nhIsoRaw/F");
t->Branch("rho",&rho,"rho/F");
t->Branch("e1x3",&e1x3,"e1x3/F");
t->Branch("e2x2",&e2x2,"e2x2/F");
t->Branch("e2x5",&e2x5,"e2x5/F");
t->Branch("e5x5",&e5x5,"e5x5/F");
t->Branch("rawE",&rawE,"rawE/F");
t->Branch("scEtaWidth",&scEtaWidth,"scEtaWidth/F");
t->Branch("scPhiWidth",&scPhiWidth,"scPhiWidth/F");
t->Branch("esRR",&esRR,"esRR/F");
t->Branch("esEn",&esEn,"esEn/F");
t->Branch("mva",&mva,"mva/F");
t->Branch("photonIDmva",&photonIDmva,"photonIDmva/F");
t->Branch("phoIDbit",&phoIDbit,"phoIDbit/I");
t->Branch("mva_hgg",&mva_hgg,"mva_hgg/F");
t->Branch("HggPresel",&HggPresel,"HggPresel/I");
t->Branch("Mmm",&Mmm,"Mmm/F");
t->Branch("Mee",&Mee,"Mee/F");
t->Branch("MET",&MET,"MET/F");
t->Branch("METPhi",&METPhi,"METPhi/F");
t->Branch("phohasPixelSeed",&phohasPixelSeed,"phohasPixelSeed/I");
t->Branch("MTm",&MTm,"MTm/F");
t->Branch("MTe",&MTe,"MTe/F");
t->Branch("deta_wg",&deta_wg,"deta_wg/F");
t->Branch("dphi_wg",&dphi_wg,"dphi_wg/F");
t->Branch("sieieFull5x5",&sieieFull5x5,"sieieFull5x5/F");
t->Branch("sieipFull5x5",&sieipFull5x5,"sieipFull5x5/F");
t->Branch("sipipFull5x5",&sipipFull5x5,"sipipFull5x5/F");
t->Branch("e1x3Full5x5",&e1x3Full5x5,"e1x3Full5x5/F");
t->Branch("r9Full5x5",&r9Full5x5,"r9Full5x5/F");
t->Branch("e2x2Full5x5",&e2x2Full5x5,"e2x2Full5x5/F");
t->Branch("e2x5Full5x5",&e2x5Full5x5,"e2x5Full5x5/F");
t->Branch("e5x5Full5x5",&e5x5Full5x5,"e5x5Full5x5/F");
t->Branch("jetPt",&jetPt,"jetPt/F");
t->Branch("jetEta",&jetEta,"jetEta/F");
t->Branch("jetPhi",&jetPhi,"jetPhi/F");
t->Branch("jetY",&jetY,"jetY/F");
t->Branch("jetJECUnc",&jetJECUnc,"jetJECUnc/F");
if(isMC)
{
t->Branch("jetGenJetPt",&jetGenJetPt,"jetGenJetPt/F");
t->Branch("jetGenJetEta",&jetGenJetEta,"jetGenJetEta/F");
t->Branch("jetGenJetPhi",&jetGenJetPhi,"jetGenJetPhi/F");
t->Branch("jetGenJetY",&jetGenJetY,"jetGenJetY/F");
}
t->Branch("jetCSV2BJetTags",&jetCSV2BJetTags, "jetCSV2BJetTags/F");
t->Branch("jetDeepCSVTags_b",&jetDeepCSVTags_b,"jetDeepCSVTags_b/F");
t->Branch("jetDeepCSVTags_bb",&jetDeepCSVTags_bb,"jetDeepCSVTags_bb/F");
t->Branch("jetDeepCSVTags_c",&jetDeepCSVTags_c,"jetDeepCSVTags_c/F");
t->Branch("jetDeepCSVTags_udsg",&jetDeepCSVTags_udsg,"jetDeepCSVTags_udsg/F");
if(isMC)
{
t->Branch("jetPartonID",&jetPartonID,"jetPartonID/I");
t->Branch("jetGenPartonID", &jetGenPartonID,"jetGenPartonID/I");
t->Branch("jetHadFlvr",&jetHadFlvr,"jetHadFlvr/I");
}
t->Branch("xsweight",&xsweight,"xsweight/F");//ifdata,thevalueis1.elsechoosevalueofgenWeight
t->Branch("photon_jetID",&photon_jetID,"photon_jetID/I");
if(!isMC)
{
//t->Branch("SeedTime",&SeedTime,"SeedTime/F");
//t->Branch("MIPTotEnergy",&MIPTotEnergy,"MIPTotEnergy/F");
t->Branch("SeedEnergy",&SeedEnergy,"SeedEnergy/F");
}
return t;
}
| [
"johnson20050@gmail.com"
] | johnson20050@gmail.com |
6e29589bfe3db5d7f871bf64b166f5c99e24c50d | 037f6e083c698bf32ba6acbb2dd2089e3df07676 | /leetcode154.cpp | c24939ff8a539700fcea35eed29b7cf5a5c8254d | [] | no_license | joshuawong/leetcode | e4f4a6727b1aaa90dbad16fa20f939af73ab5a14 | 421a74c5a3c6138967f17691fdca498fbeb8d2e4 | refs/heads/master | 2021-01-21T04:47:17.223310 | 2016-06-20T08:14:55 | 2016-06-20T08:14:55 | 45,549,367 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 405 | cpp | class Solution {
public:
int findMin(vector<int>& nums) {
int begin = 0;
int end = nums.size() - 1;
while(begin < end)
{
int mid = begin + (end - begin) / 2;
if(nums[mid] > nums[end])
begin = mid+1;
else if(nums[mid] < nums[end])
end = mid;
else
end--;
}
return nums[begin];
}
};
| [
"joshuawong556@gmail.com"
] | joshuawong556@gmail.com |
8856c0bf8d822e6b6a67837b35efa3c29e5ddec7 | 105cea794f718d34d0c903f1b4b111fe44018d0e | /ash/test/pixel/ash_pixel_differ.h | 5773e6b70d2bbf61d383787b548ecc2ce3ba0c00 | [
"BSD-3-Clause"
] | permissive | blueboxd/chromium-legacy | 27230c802e6568827236366afe5e55c48bb3f248 | e6d16139aaafff3cd82808a4660415e762eedf12 | refs/heads/master.lion | 2023-08-12T17:55:48.463306 | 2023-07-21T22:25:12 | 2023-07-21T22:25:12 | 242,839,312 | 164 | 12 | BSD-3-Clause | 2022-03-31T17:44:06 | 2020-02-24T20:44:13 | null | UTF-8 | C++ | false | false | 7,383 | h | // Copyright 2022 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef ASH_TEST_PIXEL_ASH_PIXEL_DIFFER_H_
#define ASH_TEST_PIXEL_ASH_PIXEL_DIFFER_H_
#include <iterator>
#include "ash/shell.h"
#include "ash/test/pixel/ash_pixel_diff_util.h"
#include "base/check_op.h"
#include "base/ranges/algorithm.h"
#include "third_party/abseil-cpp/absl/types/optional.h"
#include "ui/base/test/skia_gold_matching_algorithm.h"
#include "ui/display/screen.h"
#include "ui/display/test/display_manager_test_api.h"
#include "ui/views/test/view_skia_gold_pixel_diff.h"
namespace ash {
// A helper class that provides utility functions for performing pixel diff
// tests via the Skia Gold.
class AshPixelDiffer {
public:
// `screenshot_prefix` is the prefix of the screenshot names; `corpus`
// specifies the result group that will be used to store screenshots in Skia
// Gold. Read the comment of `SKiaGoldPixelDiff::Init()` for more details.
AshPixelDiffer(const std::string& screenshot_prefix,
const std::string& corpus);
AshPixelDiffer(const AshPixelDiffer&) = delete;
AshPixelDiffer& operator=(const AshPixelDiffer&) = delete;
~AshPixelDiffer();
// Takes a full screenshot of `root_window` then compares it with the
// benchmark image specified by the function parameters. Only the pixels
// within the screen bounds of `ui_components` affect the comparison result.
// The pixels outside of `ui_components` are blacked out. Returns the
// comparison result. The function caller has the duty to choose suitable
// `ui_components` in their tests to avoid unnecessary pixel comparisons.
// Otherwise, pixel tests could be fragile to the changes in production code.
//
// Checks that `root_window` is not null and is actually a root window.
//
// `revision_number` indicates the benchmark image version. `revision_number`
// and `screenshot_name` collectively specify the benchmark image to compare
// with. The initial `revision_number` of a new benchmark image should be "0".
// If there is any code change that updates the benchmark, `revision_number`
// should increase by 1.
//
// `ui_components` is a variadic argument list, consisting of view pointers,
// widget pointers or window pointers. `ui_components` can have the pointers
// of different categories.
//
// Note that there exist two convenience functions,
// `CompareUiComponentsOnPrimaryScreen()` and
// `CompareUiComponentsOnSecondaryScreen()`, for comparing the UI components
// against the primary or secondary display's root window, respectively. They
// can be used in a similar way to the example below, with the difference of
// not having to provide a particular `root_window`.
//
// Example usages (of `CompareUiComponentsOnRootWindow()`):
//
// aura::Window* root_window = ...;
// views::View* view_ptr = ...;
// views::Widget* widget_ptr = ...;
// aura::Window* window_ptr = ...;
//
// CompareUiComponentsOnRootWindow(root_window,
// "foo_name1",
// /*revision_number=*/0,
// view_ptr);
//
// CompareUiComponentsOnRootWindow(root_window,
// "foo_name2",
// /*revision_number=*/0,
// view_ptr,
// widget_ptr,
// window_ptr);
template <class... UiComponentTypes>
bool CompareUiComponentsOnRootWindow(aura::Window* const root_window,
const std::string& screenshot_name,
size_t revision_number,
UiComponentTypes... ui_components) {
CHECK(root_window && root_window->IsRootWindow());
CHECK_GT(sizeof...(ui_components), 0u);
std::vector<gfx::Rect> rects_in_screen;
PopulateUiComponentScreenBounds(&rects_in_screen, ui_components...);
// Adjust the UI component bounds to be relative to the origin of the
// specified root window.
std::vector<gfx::Rect> adjusted_rects_in_screen;
const gfx::Rect root_window_bounds = root_window->GetBoundsInScreen();
base::ranges::transform(
rects_in_screen, std::back_inserter(adjusted_rects_in_screen),
[&root_window_bounds](const gfx::Rect& rect) {
gfx::Rect adjusted_rect(rect);
adjusted_rect.Offset(-root_window_bounds.OffsetFromOrigin());
return adjusted_rect;
});
return CompareScreenshotForRootWindowInRects(root_window, screenshot_name,
revision_number,
adjusted_rects_in_screen);
}
// Like `CompareUiComponentsOnRootWindow()` but forces the screenshot to be of
// the primary display's root window.
//
// TODO(b/286916355): Rename this function.
template <class... UiComponentTypes>
bool CompareUiComponentsOnPrimaryScreen(const std::string& screenshot_name,
size_t revision_number,
UiComponentTypes... ui_components) {
return CompareUiComponentsOnRootWindow(Shell::GetPrimaryRootWindow(),
screenshot_name, revision_number,
ui_components...);
}
// Like `CompareUiComponentsOnRootWindow()` but forces the screenshot to be of
// the secondary display's root window. There should be exactly two displays
// present when using this function; if there are more than two displays then
// consider using `CompareUiComponentsOnRootWindow()` instead to ensure the
// proper root window is used for the comparison.
//
// TODO(b/286916355): Rename this function.
template <class... UiComponentTypes>
bool CompareUiComponentsOnSecondaryScreen(const std::string& screenshot_name,
size_t revision_number,
UiComponentTypes... ui_components) {
CHECK_EQ(Shell::GetAllRootWindows().size(), 2u);
const display::Display& display =
display::test::DisplayManagerTestApi(Shell::Get()->display_manager())
.GetSecondaryDisplay();
return CompareUiComponentsOnRootWindow(
Shell::GetRootWindowForDisplayId(display.id()), screenshot_name,
revision_number, ui_components...);
}
private:
// Compares a screenshot of `root_window` with the specified benchmark image.
// Only the pixels in `rects_in_screen` affect the comparison result.
bool CompareScreenshotForRootWindowInRects(
aura::Window* const root_window,
const std::string& screenshot_name,
size_t revision_number,
const std::vector<gfx::Rect>& rects_in_screen);
ui::test::PositiveIfOnlyImageAlgorithm positive_if_only_algorithm_;
// Used to take screenshots and upload images to the Skia Gold server to
// perform pixel comparison.
// NOTE: the user of `ViewSkiaGoldPixelDiff` has the duty to initialize
// `pixel_diff` before performing any pixel comparison.
views::ViewSkiaGoldPixelDiff pixel_diff_;
};
} // namespace ash
#endif // ASH_TEST_PIXEL_ASH_PIXEL_DIFFER_H_
| [
"chromium-scoped@luci-project-accounts.iam.gserviceaccount.com"
] | chromium-scoped@luci-project-accounts.iam.gserviceaccount.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.