blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
2
247
content_id
stringlengths
40
40
detected_licenses
listlengths
0
57
license_type
stringclasses
2 values
repo_name
stringlengths
4
111
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringlengths
4
58
visit_date
timestamp[ns]date
2015-07-25 18:16:41
2023-09-06 10:45:08
revision_date
timestamp[ns]date
1970-01-14 14:03:36
2023-09-06 06:22:19
committer_date
timestamp[ns]date
1970-01-14 14:03:36
2023-09-06 06:22:19
github_id
int64
3.89k
689M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
25 values
gha_event_created_at
timestamp[ns]date
2012-06-07 00:51:45
2023-09-14 21:58:52
gha_created_at
timestamp[ns]date
2008-03-27 23:40:48
2023-08-24 19:49:39
gha_language
stringclasses
159 values
src_encoding
stringclasses
34 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
7
10.5M
extension
stringclasses
111 values
filename
stringlengths
1
195
text
stringlengths
7
10.5M
d9396f324fdaba0c109f92eb0467e09a3b43fd14
5e411717964a28a7930b92bf6d1e2262187b4bdb
/src/custom/shared/ZMQFilter.cpp
09e2ec21ab4d673df0e753db4f6a2a5c703e1243
[ "MIT" ]
permissive
cronelab/bci2000web
20e3babbd13a6f17596c69e17b396df039b67a6a
33624101181d1956f6b10fa6b901c053f1c54b6e
refs/heads/master
2022-10-21T08:10:20.378512
2022-02-22T21:41:00
2022-02-22T21:41:00
75,337,424
5
2
MIT
2021-12-21T16:22:47
2016-12-01T22:12:41
C++
UTF-8
C++
false
false
4,708
cpp
ZMQFilter.cpp
//////////////////////////////////////////////////////////////////////////////// // $Id: $ // Author: Shiyu Luo <sluo15@jhu.edu> // Description: A filter that sends/receives states and signals over a // TCP facilitated WebSocket (RFC6455) connection. Can be instantiated // several times using subclasses // // $BEGIN_BCI2000_LICENSE$ // // This file is part of BCI2000, a platform for real-time bio-signal research. // [ Copyright (C) 2000-2012: BCI2000 team and many external contributors ] // // BCI2000 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. // // BCI2000 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 // this program. If not, see <http://www.gnu.org/licenses/>. // // $END_BCI2000_LICENSE$ //////////////////////////////////////////////////////////////////////////////// #include "PCHIncludes.h" #pragma hdrstop #include "ZMQFilter.h" #include "Streambuf.h" #include "BCIException.h" #include "FileUtils.h" #include <string> #include <sstream> #include <fstream> using namespace std; using namespace bci; zmq::context_t context(1); zmq::socket_t publisher(context, ZMQ_PUB); ZMQFilter::ZMQFilter(string section, string name, uint16_t default_port) { mAddressPrm = "ZMQ" + name + "Server"; mAddressPrmLast = " "; ostringstream ss; ss << section << " string " << mAddressPrm << "= % localhost:" << default_port << " % % "; ss << "// TCP port to host a ZMQ Connection on, e.g. localhost:" << default_port; BEGIN_PARAMETER_DEFINITIONS ss.str().c_str(), END_PARAMETER_DEFINITIONS } ZMQFilter::~ZMQFilter() { Halt(); } void ZMQFilter::Preflight(const SignalProperties &inSignalProperties, SignalProperties &outSignalProperties) const { string connectorAddress = string(Parameter(mAddressPrm)); outSignalProperties = inSignalProperties; } void ZMQFilter::Initialize(const SignalProperties &, const SignalProperties &Output) { string connectorAddress = string(Parameter(mAddressPrm)); mProperties = Output; if (mAddressPrmLast != connectorAddress) { publisher.bind("tcp://*:" + connectorAddress); mAddressPrmLast = connectorAddress; } // cannot bind twice to the same address } void ZMQFilter::StartRun() { stringstream sStateFormat; sStateFormat << uint8_t(0x03); States->Serialize(sStateFormat); const std::string tmp3 = sStateFormat.str(); //to string const char* sStateFormat_char = tmp3.c_str(); //null-terminated zmq::message_t message3(tmp3.size()); //declare message memcpy(message3.data(), sStateFormat_char, tmp3.size()); //memory to memory from char to data publisher.send(message3); stringstream sSignalProperties; sSignalProperties << uint8_t(0x04) << uint8_t(0x03); mProperties.InsertInto(sSignalProperties); const std::string tmp4 = sSignalProperties.str(); //to string const char* sSignalProperties_char = tmp4.c_str(); //null-terminated zmq::message_t message4(tmp4.size()); //declare message memcpy(message4.data(), sSignalProperties_char, tmp4.size()); //memory to memory from char to data publisher.send(message4); } void ZMQFilter::Process(const GenericSignal &Input, GenericSignal &Output) { Output = Input; // Serialize the StateVector stringstream ssStates; ssStates << uint8_t(0x05); Statevector->Serialize(ssStates); const std::string tmp2 = ssStates.str(); //to string const char *ssStates_char = tmp2.c_str(); //null-terminated zmq::message_t message2(tmp2.size()); //declare message memcpy(message2.data(), ssStates_char, tmp2.size()); //memory to memory from char to data publisher.send(message2); // Serialize the GenericSignal stringstream ssSignal; ssSignal << uint8_t(0x04) << uint8_t(0x01); Input.Serialize(ssSignal); //sterilized input const std::string tmp = ssSignal.str(); //to string const char *ssSignal_char = tmp.c_str(); //null-terminated zmq::message_t message(tmp.size()); //declare message memcpy(message.data(), ssSignal_char, tmp.size()); //memory to memory from char to data publisher.send(message); } void ZMQFilter::Halt() { }
2f5471a985263be0b77c23cf8e255129b367e2df
86ac31bc8c933f75f1ea0ab537027b5bb3e112b4
/stack_que/stackasque.cpp
b09948b230a7e0cd070626d1e7a6b6fd6136e0c7
[]
no_license
deepaksharma36/cpp-practice
cd708d8c2afffbe93d6ae12c18097bb781068a1e
9fbdcc49d53827c1d71f1151bf615f53e67923ac
refs/heads/master
2022-04-24T16:46:08.255951
2020-05-01T05:24:42
2020-05-01T05:24:42
260,383,537
0
0
null
null
null
null
UTF-8
C++
false
false
1,024
cpp
stackasque.cpp
#include<iostream> #include<stack> #include<stdexcept> using namespace std; class Queue{ public: //explicit Queue(): void enque(int i){ first_.push(i); } int deque(){ if(second_.empty()){ while(!first_.empty()){ second_.push(first_.top()); first_.pop(); } } if(second_.empty()) throw length_error("Pop from an empty que"); int ret = second_.top(); second_.pop(); return ret; } private: stack<int> first_, second_; }; int main(){ Queue que; que.enque(1); que.enque(2); que.enque(3); que.enque(4); cout<<que.deque()<<endl; cout<<que.deque()<<endl; que.enque(5); que.enque(6); cout<<que.deque()<<endl; cout<<que.deque()<<endl; cout<<que.deque()<<endl; cout<<que.deque()<<endl; cout<<que.deque()<<endl; cout<<que.deque()<<endl; }
15481943d7a9fa9d7aaf7bd2c36593699b9bcb9f
aeee4da6479d772e84f1375fc7bd4db6ed8046fb
/Source/Hackathon/MoveCamera.h
0367696adececd7871b2bc0162084fc23f6f80e2
[]
no_license
prdadhich/Hackathon
f3611f2f41fc93bfc570ecc5eef78066e0aa5bac
8837463fa9da827f2e229b85486999483ad6a44a
refs/heads/main
2023-07-16T15:54:28.632949
2021-08-31T15:42:41
2021-08-31T15:42:41
401,757,824
0
0
null
null
null
null
UTF-8
C++
false
false
1,746
h
MoveCamera.h
// Fill out your copyright notice in the Description page of Project Settings. #pragma once #include "CoreMinimal.h" #include "GameFramework/Pawn.h" #include "Engine/TriggerVolume.h" #include "MoveCamera.generated.h" UCLASS() class HACKATHON_API AMoveCamera : public APawn { GENERATED_BODY() public: // Sets default values for this pawn's properties AMoveCamera(); protected: // Called when the game starts or when spawned virtual void BeginPlay() override; public: // Called every frame virtual void Tick(float DeltaTime) override; // Called to bind functionality to input virtual void SetupPlayerInputComponent(class UInputComponent* PlayerInputComponent) override; protected: UPROPERTY(VisibleAnywhere) class UCameraComponent* PlayerCamera; UPROPERTY(VisibleAnywhere) class USceneComponent* Player; UPROPERTY(VisibleAnywhere) class UCapsuleComponent* PlayerCapsule; UPROPERTY(VisibleAnywhere) class USpringArmComponent* SpringComponent; protected: UPROPERTY(EditAnywhere) UPrimitiveComponent* SculptureOneTrigger; private: UFUNCTION() void Move(); UFUNCTION() void MoveRight(); UFUNCTION() void Rotate(); UFUNCTION() void RotateUp(); UFUNCTION() void CalculateMoveInput( float throttle); UFUNCTION() void CalculateRotationInput(float throttle); UFUNCTION() void CalculateRotationInputUp(float throttle); UFUNCTION() void CalculateMoveInputRight(float throttle); private: FVector MoveDirection; FVector MoveDirectionRight; FQuat RotationDirection; FQuat RotationDirectionUp; UPROPERTY(EditAnywhere) float MoveSpeed = 1000.0f; UPROPERTY(EditAnywhere) float RotateSpeed = 100.0f; UPROPERTY(EditAnywhere) float RotateSpeedUp = 100.0f; bool isOverlapping = false; int count = 0; };
23be6d6fb1a46befb82f1d1aa87370a5d2eb728c
06dd3a241e1200edf52c0ec7d2f19482b0b99412
/Exercicios Modificados/cap 9/ex-9_3.cpp
e9b02d64a6981c8be4b0a242d1785afc8736f5c0
[]
no_license
thiagogsilv4/Compiladores_
d568282b4345fb974916cb5a1da384968ce5765d
78c0db17f982bb1f59ae23e455afb47e721edfd8
refs/heads/master
2021-05-17T07:16:24.855956
2020-05-24T23:10:07
2020-05-24T23:10:07
250,692,687
0
0
null
null
null
null
ISO-8859-1
C++
false
false
381
cpp
ex-9_3.cpp
#include<stdio.h>/*Inclusão da Biblioteca padrão de entrada e saída*/ /*de acordo com a explicação do PDF*/ int func(int x, int *y) { x += 2; *y += 2; y += 2; return x * *y; } int main() { int vec[] = { 1, 2, 3, 5, 7, 9, 11, 13, 17 }; printf("%d\n", func(5, vec)); printf("%d\n", func(3, vec)); printf("%d\n", func(1, vec)); return 0; }
f51ea610d970dfa93d805acceb57d37c4c5104cd
87b9f656a7c2f409f31617a351b9cf712c543025
/tests/world/main.cpp
99005c8cefc77de997b0aff2c3efa12bb549fc3b
[]
no_license
paragonjh/unitTest
f78932624a414c79f79f200842f7193fb297d19b
0c04d2256f1c6fe5b7f2f54e3ed35b32dd0bf943
refs/heads/master
2022-11-12T10:57:31.020714
2020-06-30T14:47:51
2020-06-30T14:47:51
276,127,014
0
0
null
null
null
null
UTF-8
C++
false
false
1,132
cpp
main.cpp
#include "cpptest.h" #include "polygontypes.h" #include "circle.h" #include "world.h" #include <iostream> void testWorldGetAllArea() { Point points[4] = { { 5, 0 }, { 15, 0 }, { 15, 20 }, { 5, 20 } }; Rectangle rect(points); Circle circle( 5, 5, 15); World world; world.add(&rect); world.add(&circle); EXPECT_EQ(world.getAllArea(), 906); } void testWorldAddMany() { // TODO: enable tc return; Point points[4] = { { 5, 0 }, { 15, 0 }, { 15, 20 }, { 5, 20 } }; Rectangle rect(points); World world; for(int i = 0; i < 100; ++i) world.add(&rect); EXPECT_EQ(world.getAllArea(), 20000); } void testWorldAddCopy() { // TODO: enable tc return; Point points[4] = { { 5, 0 }, { 15, 0 }, { 15, 20 }, { 5, 20 } }; Rectangle rect1(points); World world; world.add(&rect1); { Rectangle rect2(points); world.add(&rect2); } EXPECT_EQ(world.getAllArea(), 400); } int main() { cpptest::init({ testWorldGetAllArea, testWorldAddMany, testWorldAddCopy }); return cpptest::runAllTests(); }
17d5be1efc41f2d8bd095ba8a4eafce2e4ab7d96
1c3fe73c2fb60be880d24f5d34b3637469bf8819
/crypto.hpp
22273261547b3c61f72c7840548ac93e0acd7292
[]
no_license
oceanboi1337/Chrome-Password-Stealer
2c50378f462412115819459234d242a25c5e089f
fe87e06054fb06cff8cae94814dd65c7788dc3c4
refs/heads/main
2023-07-15T04:41:26.380666
2021-08-28T00:04:12
2021-08-28T00:04:12
null
0
0
null
null
null
null
UTF-8
C++
false
false
335
hpp
crypto.hpp
#include <string> #include <vector> #include <iostream> #include <windows.h> #include <openssl/evp.h> namespace crypto { std::string base64_decode(std::string data); std::string base64_encode(std::string data); std::vector<unsigned char> v80_decrypt(const std::string &key, std::vector<unsigned char> data); }
2afa386ada5d437ea2902861dfb42e59915f32e2
7e70df5c34d19d6ea6fdb574c4421686afbdcc42
/include/remollGenCompton.hh
8ad6d6e22d24a03f2bd20660e205a8951ed037ac
[]
no_license
spiesr/compton_sim
1fee54e4ccebf8f2425d9818468ff6869b4906f8
29284ccf6fa4a3cdd7693226cc7bd0faf71dee11
refs/heads/master
2016-09-06T13:59:07.368545
2015-06-25T19:57:40
2015-06-25T19:57:40
38,070,574
1
0
null
null
null
null
UTF-8
C++
false
false
269
hh
remollGenCompton.hh
#ifndef __REMOLLGENCOMPTON_HH #define __REMOLLGENCOMPTON_HH #include "remollVEventGen.hh" class remollGenCompton : public remollVEventGen { public: remollGenCompton(); ~remollGenCompton(); private: void SamplePhysics(remollVertex *, remollEvent *); }; #endif
b9e0bf56aaa41632d212767f355b82afed1e1b99
9b8ee7a681cf875fdc4322f568f7400fa67fc14c
/recoglize/src/deviation_recognize/src/charging_station_detector.hpp
314cda49f7397e2011f205decda3a8c4e8e2e6dc
[]
no_license
jie104/learngit
8442ddd9f460710ad0d504749e83647faae085b7
b5aed9eef4d548939d28c5fb11cf30cd18350d42
refs/heads/master
2023-04-28T20:37:43.518840
2023-04-16T14:54:53
2023-04-16T14:54:53
329,828,443
0
0
null
null
null
null
UTF-8
C++
false
false
21,656
hpp
charging_station_detector.hpp
// // Created by lfc on 19-2-14. // #ifndef PROJECT_CHARGING_STATION_DETECTOR_HPP #define PROJECT_CHARGING_STATION_DETECTOR_HPP #include <sensor_msgs/LaserScan.h> #include <vector> #include <stack> #include "line_solver.hpp" namespace detector { struct ChargingStationInfo { //充电桩尺寸信息 double topline = 0.216; double baseline = 0.496; double waist = 0.1612; double waist_to_base = 0.3648; double included_angle = 2.0943; }; struct ChargingStationDetectInfo { //站点识别信息 double direction = 0; Point center_point; //中心点 Point first_corner; //第一个交点 Point second_corner; //第二个交点 Point first_top; //第一个腰点,右侧 Point second_top; //第二个腰点,左侧 }; template <class ScanType> class ChargingStationDetector { public: //连续点 struct ContinousPoints { int start_index; int end_index; }; //交点 struct Corner { Point point; int index; }; ChargingStationDetector() { } bool findChargingStation(ScanType &scan, ChargingStationInfo &info,std::vector<detector::ChargingStationDetectInfo> &detect_infos) { std::vector<ContinousPoints> continous_points; std::vector<Corner> corners; splitScan(scan->ranges, scan->angle_increment, continous_points); convertTrailingToPoint(scan, continous_points, corners); if (findChargingStation(scan, continous_points, info, detect_infos)) { return true; } return false; } //*****断点扫描***** void splitScan(const std::vector<float> &ranges, double angle_increment, std::vector<ContinousPoints> &continous_points) { int range_size = ranges.size() - 1; int start_index = 0; int zero_point_num = 0; double cos_increment = cos(angle_increment * 2.0); double theta_thresh = sin(angle_increment * 2.0) / sin(0.15);//临界值,用于识别断点 std::deque<std::pair<int, float>> valid_data; bool first_flag = true; for (int i = 2; i < range_size; ++i) { bool is_trail_point = false; if (ranges[i] < max_laser_range && ranges[i] > min_laser_range) { // if (ranges[i - 1] != 0 && ranges[i + 1] != 0) { // auto delta_range_1 = ranges[i] - ranges[i - 1]; // auto delta_range_2 = ranges[i + 1] - ranges[i]; // if (delta_range_1 * delta_range_2 > 0) { // double dist_1 = std::sqrt(ranges[i + 1] * ranges[i + 1] + ranges[i - 1] * ranges[i - 1] - // 2 * ranges[i + 1] * ranges[i - 1] * cos_increment); // double range_thresh_1 = ranges[i] * theta_thresh + scan_measure_err; // if (dist_1 > range_thresh_1) { // is_trail_point = true; // } // } // } if (first_flag) { first_flag = false; valid_data.push_back(std::pair<int, float>(i-2, ranges[i - 2])); valid_data.push_back(std::pair<int, float>(i-1, ranges[i - 1])); valid_data.push_back(std::pair<int, float>(i,ranges[i])); } else { valid_data.pop_front(); valid_data.push_back(std::pair<int, float>(i, ranges[i])); auto delta_range_1 = valid_data[1].second - valid_data[0].second; auto delta_range_2 = valid_data[2].second - valid_data[1].second; if (delta_range_1 * delta_range_2 >= 0) { double dist_1 = std::sqrt(valid_data[2].second * valid_data[2].second + valid_data[0].second * valid_data[0].second - 2 * valid_data[2].second * valid_data[0].second * cos_increment); double range_thresh_1 = valid_data[1].second * theta_thresh + scan_measure_err; if (dist_1 > range_thresh_1) { is_trail_point = true; } } } zero_point_num = 0; }else { zero_point_num++; if (zero_point_num > 4) is_trail_point = true; } if (ranges[i] > max_laser_range || (ranges[i] < min_laser_range && ranges[i]) || is_trail_point) { if ((i - start_index) > min_points_size && valid_data.size() == 3 && valid_data[1].first > start_index) { continous_points.emplace_back(); continous_points.back().start_index = start_index; // continous_points.back().end_index = i - 1; continous_points.back().end_index = valid_data[1].first; } // start_index = i + 1; if (valid_data.size() < 3) start_index = i + 1; else start_index = valid_data[2].first; } } if (continous_points.empty()) { continous_points.emplace_back(); continous_points.back().start_index = start_index; continous_points.back().end_index = range_size - 1; } } //将断点转化为直角坐标 void convertTrailingToPoint(ScanType &scan, std::vector<ContinousPoints> &continous_points, std::vector<Corner> &corners) { auto angle_min = scan->angle_min; auto angle_incre = scan->angle_increment; auto &ranges = scan->ranges; for (auto &segment:continous_points) { int i = segment.start_index; auto range = ranges[i]; if (range > min_laser_range) { double angle = angle_min + angle_incre * (float) i; corners.emplace_back(); //极坐标转化为直角坐标系 corners.back().point = Point(cos(angle) * ranges[i], sin(angle) * ranges[i]); corners.back().index = i; } i = segment.end_index; range = ranges[i]; if (range > min_laser_range) { corners.emplace_back(); double angle = angle_min + angle_incre * (float) i; corners.back().point = Point(cos(angle) * ranges[i], sin(angle) * ranges[i]); corners.back().index = i; } } } void buildPoints(ScanType &scan, const ContinousPoints &continous, std::vector<Point> &points) { auto angle_min = scan->angle_min; auto angle_incre = scan->angle_increment; auto &ranges = scan->ranges; for (int i = continous.start_index; i <= continous.end_index; ++i) { auto &range = ranges[i]; if (range > min_laser_range) { double angle = angle_min + angle_incre * (float) i; points.emplace_back(Point(cos(angle) * ranges[i], sin(angle) * ranges[i])); } } } bool findChargingStation(ScanType &scan, std::vector<ContinousPoints> &continous_points, ChargingStationInfo &info, std::vector<ChargingStationDetectInfo> &detect_infos) { auto &check_length = info.baseline; //0.496m double projection_length = (info.baseline - info.topline) / 2.0; double check_height = info.waist * info.waist - projection_length * projection_length; double min_topline_length = info.topline - max_dist_err; if (check_height >= 0) { check_height = sqrt(check_height); } else { LOG(INFO) << "check length is wrong!" << check_height; check_height = 0.08; } auto angle_min = scan->angle_min; auto angle_incre = scan->angle_increment; auto &ranges = scan->ranges; for (auto &segment:continous_points) { Corner first_corner, second_corner; int i = segment.start_index; auto range = ranges[i]; if (range > min_laser_range) { double angle = angle_min + angle_incre * (float) i; first_corner.point = Point(cos(angle) * ranges[i], sin(angle) * ranges[i]); first_corner.index = i; } else { LOG(INFO) << "range is wrong:" << range; } i = segment.end_index; range = ranges[i]; if (range > min_laser_range) { double angle = angle_min + angle_incre * (float) i; second_corner.point = Point(cos(angle) * ranges[i], sin(angle) * ranges[i]); second_corner.index = i; } else { LOG(INFO) << "range is wrong:" << range; } //*************寻找腰点******************* if (inRange((first_corner.point - second_corner.point).norm(), info.baseline, 2 * max_dist_err)) {//两侧角点判断 Corner waist_1, waist_2; double initial_err_1 = 2 * max_dist_err; double initial_err_2 = 2 * max_dist_err; for (int j = first_corner.index; j < second_corner.index; ++j) { double angle = angle_min + angle_incre * (float) j; auto point = Point(cos(angle) * ranges[j], sin(angle) * ranges[j]); double dist_1, dist_2, dist_2_1, dist_2_2; getTriangeEdgeLength(point, first_corner.point, second_corner.point, info, dist_1, dist_2); double delta_err_1_1 = fabs(dist_1 - info.waist); double delta_err_1_2 = fabs(dist_2 - info.waist_to_base); double delta_err_1 = std::hypot(delta_err_1_1, delta_err_1_2); //计算模长 double delta_err_2_1 = fabs(dist_1 - info.waist_to_base); double delta_err_2_2 = fabs(dist_2 - info.waist); double delta_err_2 = std::hypot(delta_err_2_1, delta_err_2_2); if (delta_err_1 < initial_err_1) { initial_err_1 = delta_err_1; waist_1.index = j; waist_1.point = point; } if (delta_err_2 < initial_err_2) { initial_err_2 = delta_err_2; waist_2.index = j; waist_2.point = point; } } if (initial_err_1 < 2 * max_dist_err && initial_err_2 < 2 * max_dist_err) { double included_angle = getTrapeziaIncludedAngle(first_corner.point, waist_1.point, second_corner.point, waist_2.point); if (inRange((waist_1.point - waist_2.point).norm(), info.topline, max_dist_err)) { if (inRange(included_angle, info.included_angle, 0.25)) { auto height_1 = getMaxHeight(scan, first_corner.index, waist_1.index); auto height_2 = getMaxHeight(scan, waist_1.index, waist_2.index); auto height_3 = getMaxHeight(scan, waist_2.index, second_corner.index); // LOG(INFO) << "height_1:" << height_1 << "," << height_2 << "," << height_3; //检查充电桩平坦度 if (height_1 < 2 * max_dist_err && height_2 < 2 * max_dist_err && height_3 < 2 * max_dist_err) { detect_infos.emplace_back(); detect_infos.back().first_corner = first_corner.point; detect_infos.back().second_corner = second_corner.point; detect_infos.back().first_top = waist_1.point; detect_infos.back().second_top = waist_2.point; computeChargingCenterPose(scan, first_corner, waist_1, second_corner, waist_2, detect_infos.back()); Corner center_corner; center_corner.point = detect_infos.back().center_point; } } // return true; } } } } return !detect_infos.empty(); } //已知点A、B间的任一点C,计算向量ABxAC的的绝对值最大值 double getMaxHeight(const ScanType &scan, int start_index, int end_index) { auto angle_min = scan->angle_min; auto angle_incre = scan->angle_increment; auto &ranges = scan->ranges; double start_angle = angle_min + angle_incre * (float) start_index; Point start_point = Point(cos(start_angle) * ranges[start_index], sin(start_angle) * ranges[start_index]); double end_angle = angle_min + angle_incre * (float) end_index; Point end_point = Point(cos(end_angle) * ranges[end_index], sin(end_angle) * ranges[end_index]); Point unit_vecor = (start_point - end_point); unit_vecor.unitlize(); double max_height = 0.0; for (int i = start_index + 1; i < end_index; ++i) { double angle = angle_min + angle_incre * (float) i; Point point = Point(cos(angle) * ranges[i], sin(angle) * ranges[i]); auto height = (point - end_point).height(unit_vecor); if (max_height < height) { max_height = height; } } return max_height; } //计算point到第一个点first和第二个点second的距离dist_1,dist_2 void getTriangeEdgeLength(const Point &point, const Point &first, const Point &second, const ChargingStationInfo &info,double &dist_1, double &dist_2) { dist_1 = (point - first).norm(); dist_2 = (point - second).norm(); } //计算前两个点构成向量与后两个点构成向量的夹角 double getTrapeziaIncludedAngle(const Point &first_corner, const Point &first_top, const Point &second_corner, const Point &second_top) { auto delta_point_1 = first_corner - first_top; auto delta_point_2 = second_corner - second_top; double delta_dist_1 = delta_point_1.norm(); double delta_dist_2 = delta_point_2.norm(); if (delta_dist_1 == 0) { return 0; } if (delta_dist_2 == 0) { return 0; } double cos_angle = (delta_point_1 * delta_point_2) / (delta_dist_1 * delta_dist_2); return acos(cos_angle); } //计算充电桩模型中心向量 void computeChargingCenterPose(const ScanType &scan, const Corner &first_corner, const Corner &first_top, const Corner &second_corner, const Corner &second_top, ChargingStationDetectInfo &detect_info) { LineSolver::LinePara line_para_1, line_para_2, line_para_3; computeLinePara(scan, first_top, second_top, line_para_1); Point unit_vector(cos(line_para_1.angle), sin(line_para_1.angle)); Point line_origin_point; //直线上line_para_1的一个点 if (fabs(line_para_1.A) > fabs(line_para_1.B)) { line_origin_point.y = 0; line_origin_point.x = -line_para_1.C / line_para_1.A; } else { line_origin_point.x = 0; line_origin_point.y = -line_para_1.C / line_para_1.B; } //TODO:中心点计算推导 auto first_corner_map = unit_vector.scalarMultiply(unit_vector * (first_corner.point - line_origin_point)) + line_origin_point; auto second_corner_map = unit_vector.scalarMultiply(unit_vector * (second_corner.point - line_origin_point)) + line_origin_point; auto first_top_map = unit_vector.scalarMultiply(unit_vector * (first_top.point - line_origin_point)) + line_origin_point; auto second_top_map = unit_vector.scalarMultiply(unit_vector * (second_top.point - line_origin_point)) + line_origin_point; auto center = (first_corner_map + second_corner_map + first_top_map + second_top_map).scalarMultiply(0.25); double charging_direction = line_para_1.angle + M_PI_2; computeLinePara(scan, first_corner, first_top, line_para_2); computeLinePara(scan, second_top, second_corner, line_para_3); auto unit_vector_2 = Point(cos(line_para_2.angle), sin(line_para_2.angle)); auto unit_vector_3 = Point(cos(line_para_3.angle), sin(line_para_3.angle)); Point sum_point; if (unit_vector_2 * unit_vector_3 < 0) { sum_point = unit_vector_2 + unit_vector_3; } else { sum_point = unit_vector_2 - unit_vector_3; } sum_point.unitlize(); double vector_angle = atan2(sum_point.y, sum_point.x); auto direct_bk = Point(cos(charging_direction), sin(charging_direction)); if (sum_point * direct_bk < 0) { sum_point = direct_bk - sum_point; } else { sum_point = direct_bk + sum_point;//使用向量法计算方向的均值 } double sum_mean_angle = atan2(sum_point.y, sum_point.x); if (sum_point * center > 0.0) { sum_mean_angle += M_PI; } if (Point(cos(charging_direction), sin(charging_direction))*center > 0.0){ charging_direction += M_PI; LineSolver::normalizeAngle(charging_direction); } detect_info.center_point = center; detect_info.direction = sum_mean_angle; // center_point = center; LOG(INFO) << "angle:" << charging_direction * 180 / M_PI << "," << (sum_mean_angle) * 180.0 / M_PI << "," << (vector_angle + M_PI) * 180.0 / M_PI << "," << center.x << "," << center.y; } //通过两个端点之间的所有点来拟合直线 void computeLinePara(const ScanType &scan, const Corner &start, const Corner &end, LineSolver::LinePara &line_para) { std::vector<Point> top_line_points; auto angle_min = scan->angle_min; auto angle_incre = scan->angle_increment; auto &ranges = scan->ranges; for (int i = start.index; i < end.index; ++i) { auto &range = ranges[i]; double angle = angle_min + angle_incre * (float) i; top_line_points.emplace_back(Point(cos(angle) * range, sin(angle) * range)); } LineSolver line_solver; line_solver.solve(top_line_points, line_para); } bool inRange(const double curr_dist, const double check_length, const double err_thresh) { double delta_dist = fabs(curr_dist - check_length); return delta_dist < err_thresh; } bool extractCorners(std::vector<Point> &points, std::vector<Corner> &corners) { Corner first_corner; first_corner.point = points[0]; first_corner.index = 0; corners.push_back(first_corner); first_corner.point = points.back(); first_corner.index = points.size() - 1; corners.push_back(first_corner); int end_index = points.size() - 1; std::stack<ContinousPoints> segments; ContinousPoints first_segment; first_segment.start_index = 0; first_segment.end_index = end_index; segments.push(first_segment); while (!segments.empty()) { auto segment = segments.top(); segments.pop(); int corner_index; auto height = getMaxHeight(points, segment.start_index, segment.end_index, corner_index); if (height > min_corner_height) { ContinousPoints first, second; first.start_index = segment.start_index; first.end_index = corner_index; second.start_index = corner_index; second.end_index = segment.end_index; segments.push(first); segments.push(second); corners.emplace_back(); corners.back().point = points[corner_index]; corners.back().index = corner_index; } } return !corners.empty(); } double getMaxHeight(const std::vector<Point> &points, int min_index, int max_index, int &corner_index) { auto &first_point = points[min_index]; Point unit_vecor = (points[max_index] - first_point); unit_vecor.unitlize(); double max_height = 0; for (int i = min_index + 1; i < max_index; ++i) { auto height = (points[i] - first_point).height(unit_vecor); if (max_height < height) { max_height = height; corner_index = i; } } return max_height; } private: const double max_laser_range = 3.0; //最大激光识别距离,单位m const double min_laser_range = 0.3; //最小激光识别距离,单位m const double break_point_dist = 0.15; const int min_points_size = 20; const double min_corner_height = 0.05; const double max_dist_err = 0.03; const double scan_measure_err = 0.03; }; } #endif //PROJECT_CHARGING_STATION_DETECTOR_HPP
7eea78bb7392c117ce66c6e4097f4fe1a8a9ce68
005af42f3ce88a3dad5fb032146b496ba13f31ad
/apps/graph/values/derivative_parameter_controller.cpp
98ee15cb3968cbe372285d44979db829cc725ab6
[]
no_license
magickazer/epsilon
4359401d16ca14632180496ef89616cb65faf976
37e7686b60fc490c59ebd887f7d862a5af7aee23
refs/heads/master
2023-08-10T17:15:04.392177
2021-09-03T14:17:22
2021-09-03T14:22:35
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,142
cpp
derivative_parameter_controller.cpp
#include "derivative_parameter_controller.h" #include "values_controller.h" #include "../app.h" #include <assert.h> using namespace Escher; namespace Graph { DerivativeParameterController::DerivativeParameterController(ValuesController * valuesController) : SelectableListViewController(valuesController), m_hideColumn(I18n::Message::HideDerivativeColumn), #if COPY_COLUMN m_copyColumn(I18n::Message::CopyColumnInList), #endif m_record(), m_valuesController(valuesController) { } void DerivativeParameterController::viewWillAppear() { functionStore()->modelForRecord(m_record)->derivativeNameWithArgument(m_pageTitle, k_maxNumberOfCharsInTitle); } const char * DerivativeParameterController::title() { return m_pageTitle; } void DerivativeParameterController::didBecomeFirstResponder() { selectCellAtLocation(0, 0); Container::activeApp()->setFirstResponder(&m_selectableTableView); } bool DerivativeParameterController::handleEvent(Ion::Events::Event event) { if (event == Ion::Events::OK || event == Ion::Events::EXE) { switch (selectedRow()) { case 0: { m_valuesController->selectCellAtLocation(m_valuesController->selectedColumn()-1, m_valuesController->selectedRow()); functionStore()->modelForRecord(m_record)->setDisplayDerivative(false); StackViewController * stack = (StackViewController *)(parentResponder()); stack->pop(); return true; } #if COPY_COLUMN case 1: /* TODO: implement function copy column */ return true; #endif default: assert(false); return false; } } return false; } int DerivativeParameterController::numberOfRows() const { return k_totalNumberOfCell; }; HighlightCell * DerivativeParameterController::reusableCell(int index, int type) { assert(index >= 0); assert(index < k_totalNumberOfCell); #if COPY_COLUMN HighlightCell * cells[] = {&m_hideColumn, &m_copyColumn}; #else HighlightCell * cells[] = {&m_hideColumn}; #endif return cells[index]; } ContinuousFunctionStore * DerivativeParameterController::functionStore() { return App::app()->functionStore(); } }
ef6c0a086a3054dbe4cae5bcd5af6f51a7114124
9d1888f2df896f70b5eafb6fdccb8ceb14c66e5a
/Hackerrank/almostsorted.cpp
8c1c3ff71f4db6149f8d02bd5c751d9808da20b5
[]
no_license
VPai8/Competitive-Programming
b7e20be432c2a0f1d2bf37e3cc8da032afff6337
99b4b9c825e5713e1c15098f6115905096764f56
refs/heads/master
2020-03-22T18:08:31.081636
2018-07-18T15:37:10
2018-07-18T15:37:10
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,944
cpp
almostsorted.cpp
#include <bits/stdc++.h> using namespace std; vector<string> split_string(string); // Complete the almostSorted function below. void almostSorted(vector<int> arr) { vector<int> sorarr=arr; int i,j; sort(sorarr.begin(),sorarr.end()); int len=arr.size(),a[2],x=0; for(i=0,j=0;i<len;++i) if(arr[i]!=sorarr[i]){ ++x; if(j!=2){ a[j]=i+1; ++j; } } if(j==0) cout<<"YES"; else if(x==2) cout<<"yes\nswap "<<a[0]<<" "<<a[1]; else{//cout<<x<<" "<<a[0]; --x; for(i=a[0];(i<len)&&x;++i){ if(arr[i]<arr[i-1]&&arr[i]!=sorarr[i]) --x; } if(x) cout<<"no"; else cout<<"yes\nreverse "<<a[0]<<" "<<i; } } int main() { int n; cin >> n; cin.ignore(numeric_limits<streamsize>::max(), '\n'); string arr_temp_temp; getline(cin, arr_temp_temp); vector<string> arr_temp = split_string(arr_temp_temp); vector<int> arr(n); for (int i = 0; i < n; i++) { int arr_item = stoi(arr_temp[i]); arr[i] = arr_item; } almostSorted(arr); return 0; } vector<string> split_string(string input_string) { string::iterator new_end = unique(input_string.begin(), input_string.end(), [] (const char &x, const char &y) { return x == y and x == ' '; }); input_string.erase(new_end, input_string.end()); while (input_string[input_string.length() - 1] == ' ') { input_string.pop_back(); } vector<string> splits; char delimiter = ' '; size_t i = 0; size_t pos = input_string.find(delimiter); while (pos != string::npos) { splits.push_back(input_string.substr(i, pos - i)); i = pos + 1; pos = input_string.find(delimiter, i); } splits.push_back(input_string.substr(i, min(pos, input_string.length()) - i + 1)); return splits; }
43712ed6f46f22d79ab8dd323342ad84ce15a45a
0f731db71e7d4f68ae20bcf3a341ac22bf7b749a
/2020/src/day1/main.cxx
42660bb6b2ed9d279d2c2d025358b55af6b1319c
[]
no_license
HenricWatz/AOC
90c9496a189000ef16749d3823116955aee57687
fd9e03aaba7835440136e8ef8a54dd2c581d37c0
refs/heads/master
2021-06-22T17:45:56.778498
2020-12-13T11:57:26
2020-12-13T11:57:26
159,917,373
0
0
null
null
null
null
UTF-8
C++
false
false
5,448
cxx
main.cxx
// A simple program that computes the square root of a number #include <stdio.h> #include <stdlib.h> #include <math.h> /* --- Day 1: Report Repair --- After saving Christmas five years in a row, you've decided to take a vacation at a nice resort on a tropical island. Surely, Christmas will go on without you. The tropical island has its own currency and is entirely cash-only. The gold coins used there have a little picture of a starfish; the locals just call them stars. None of the currency exchanges seem to have heard of them, but somehow, you'll need to find fifty of these coins by the time you arrive so you can pay the deposit on your room. To save your vacation, you need to get all fifty stars by December 25th. Collect stars by solving puzzles. Two puzzles will be made available on each day in the Advent calendar; the second puzzle is unlocked when you complete the first. Each puzzle grants one star. Good luck! Before you leave, the Elves in accounting just need you to fix your expense report (your puzzle input); apparently, something isn't quite adding up. Specifically, they need you to find the two entries that sum to 2020 and then multiply those two numbers together. For example, suppose your expense report contained the following: 1721 979 366 299 675 1456 In this list, the two entries that sum to 2020 are 1721 and 299. Multiplying them together produces 1721 * 299 = 514579, so the correct answer is 514579. Of course, your expense report is much larger. Find the two entries that sum to 2020; what do you get if you multiply them together? */ void find_sum_pair(int list[], int length, int expected_sum) { printf("length = %d\n", length); for (size_t i = 0; i < length; i++) { for (size_t j = 0; j < length; j++) { if ((list[i] + list[j]) == expected_sum) { printf("%d + %d = %d (product: %d)\n", list[i], list[j], expected_sum, (list[i] * list[j])); return; } } } printf("No pair found"); return; } void find_sum_triplet(int list[], int length, int expected_sum) { printf("length = %d\n", length); for (size_t i = 0; i < length; i++) { for (size_t j = 0; j < length; j++) { for (size_t k = 0; k < length; k++) { if ((list[i] + list[j] + list[k]) == expected_sum) { printf("%d + %d + %d = %d (product: %d)\n", list[i], list[j], list[k], expected_sum, (list[i] * list[j] * list[k])); return; } } } } printf("No pair found"); return; } int main (int argc, char *argv[]) { int example[] = { 1721, 979, 366, 299, 675, 1456 }; find_sum_pair(example, (sizeof(example) / sizeof(example[0])), 2020); find_sum_triplet(example, (sizeof(example) / sizeof(example[0])), 2020); int input[] = { 1977, 1802, 1856, 1309, 2003, 1854, 1898, 1862, 1857, 542, 1616, 1599, 1628, 1511, 1848, 1623, 1959, 1693, 1444, 1211, 1551, 1399, 1855, 1538, 1869, 1664, 1719, 1241, 1875, 1733, 1547, 1813, 1531, 1773, 624, 1336, 1897, 1179, 1258, 1205, 1727, 1364, 1957, 540, 1970, 1273, 1621, 1964, 1723, 1699, 1847, 1249, 1254, 1644, 1449, 1794, 1797, 1713, 1534, 1202, 1951, 1598, 1926, 1865, 1294, 1893, 1641, 1325, 1432, 1960, 413, 1517, 1724, 1715, 1458, 1775, 1317, 1694, 1484, 1840, 1999, 1811, 1578, 1658, 1906, 1481, 1313, 1997, 1339, 1592, 1971, 1453, 1706, 1884, 1956, 1384, 1579, 1689, 1726, 1217, 1796, 1536, 1213, 1867, 1304, 2010, 1503, 1665, 1361, 814, 2007, 1430, 1625, 1958, 860, 1799, 1942, 1876, 1772, 1198, 1221, 1814, 1826, 1667, 1334, 1504, 1420, 1164, 1414, 1934, 1823, 1507, 1195, 21, 1752, 1472, 1196, 1558, 1322, 1927, 1556, 1922, 277, 1828, 1883, 1280, 1947, 1231, 1915, 1235, 1961, 1494, 1324, 2009, 1367, 1545, 1736, 1575, 1214, 1704, 1833, 1663, 1474, 1894, 1754, 1564, 1321, 1119, 1975, 1987, 1873, 1834, 1686, 1574, 1505, 1656, 1688, 1896, 1982, 1554, 1990, 1902, 1859, 1293, 1739, 1282, 1889, 1981, 1283, 1687, 1220, 1443, 1409, 1252, 1506, 1742, 1319, 1882, 951, 1849 }; find_sum_pair(input, (sizeof(input) / sizeof(input[0])), 2020); find_sum_triplet(input, (sizeof(input) / sizeof(input[0])), 2020); return 0; }
8a60adf78dd5dbc165ce04db84830e515b4b4911
66a5927f6cda20412f15e1713fdd3ce888d287a6
/internalconnector/internalcatalogconnector.h
7a94d1171e0627f3a41dd9886fd368cb09adfde0
[]
no_license
JeroenBrinkman/IlwisCore
0011a4321fe4babd9ecc19f7d1bff081a9a6fa3f
a49435ff463be3e07a2f9cab063b0b59464566ae
refs/heads/master
2021-01-15T20:38:31.136714
2013-10-02T06:45:34
2013-10-02T06:45:34
null
0
0
null
null
null
null
UTF-8
C++
false
false
575
h
internalcatalogconnector.h
#ifndef INTERNALCATALOGCONNECTOR_H #define INTERNALCATALOGCONNECTOR_H namespace Ilwis { namespace Internal { class InternalCatalogConnector : public Ilwis::CatalogConnector { public: InternalCatalogConnector(); static ConnectorInterface *create(const Resource &, bool); bool loadItems(); bool canUse(const QUrl& resource) const; QString provider() const; private: bool createItems(QSqlQuery &db, const QString &table, IlwisTypes type); bool createPcs(QSqlQuery &db); bool createSpecialDomains(); }; } } #endif // INTERNALCATALOGCONNECTOR_H
b5f2c2ac44006d2760b7ae44aa87898ce60ab891
8b4202f42c9ccf571a8a18f4022fe64736cde9fa
/Firmware/LED_PCB/LED_PCB.ino
7a250dd2cb70a1a0e8f70ffaf4540b10e8667a10
[ "MIT" ]
permissive
EEJeffMan/LED_Lamp
987bd92896c9fc758a8a13e7b0a232acb970254f
f0919a965bf1643d92ce49e0d5692117b5cb5620
refs/heads/master
2020-04-17T14:41:37.963172
2019-11-08T13:05:58
2019-11-08T13:05:58
166,667,320
0
0
null
null
null
null
UTF-8
C++
false
false
8,634
ino
LED_PCB.ino
/* * Name: LED_LAMP * Author: EEJeffMan * Date: 3/9/19 * * Replace bulb in desk lamp with LEDs. * * MCU is ATTINY85, using the guide below to install support for this chip in Arduino: * http://highlowtech.org/?p=1695 * * This was found courtesy of the following post: * https://oscarliang.com/program-attiny-micro-controller-using-arduino/ * * Hardware options for white or RGB LEDs * White LEDs: 8 high power Cree LEDs, needs an external constant current regulator. Load is ~24V, target current is ~400mA max. * RGB LEDs: 12 RGB LEDs, WS2812 or similar. Data lines connected in parallel. High side switch controlled by MCU to disable connection. Max input is ~5V. * * Inputs: * DIN (0): Data input to control operation. * VIN_ADC (4,A2): input voltage * * Outputs: * DOUT (1): serial data for RGB LED's * RGB_EN (2): Control of high side switch for power to RGB LEDs * WHITE_EN (3): Control of low side switch for power to white LEDs * * Description: * * Initially: both RGB_EN and WHITE_EN output low (outputs off). * * Read ADC input: * If input less than 5.5V: RGB LED mode. * If input greater than 18V and less than 30V: White LED mode. * Keep WHITE_EN on at all times unless voltage is > 30V. This is ok because * the white LEDs will not draw any current unless input is greater than ~18V. * RGB's must turn off when greater than ~5.5V to prevent damage. * * Use softwareserial to read input commands via DIN. * * RGB's use "FastLED" library, credit to tutorial in link below: * https://howtomechatronics.com/tutorials/arduino/how-to-control-ws2812b-individually-addressable-leds-using-arduino/ * FastLED github: https://github.com/FastLED/FastLED * * Commands: * * LED_MODE_OFF both off * LED_MODE_WHITE RGB off, white on * LED_MODE_RGB RGB on, set PWM via FastLED * LED_MODE_RGB_SET Set RGB colors with a set of bytes. * */ #include <FastLED.h> #include <SoftwareSerial.h> #define NUM_LEDS 12 #define LED_PIN 1 #define COLOR_ORDER GRB // color table /* * (R, G, B) * White (255, 255, 255) * Red (255, 0, 0) * Green (0, 255, 0) * Blue (0, 0, 255) * Yellow (255, 255, 0) * Cyan (0, 255, 255) * Magenta (255, 0, 255) * Silver (192, 192, 192) * Gray (128, 128, 128) * Maroon (128, 0, 0) */ #define WHITE_R 255 #define WHITE_G 255 #define WHITE_B 255 #define RED_R 255 #define RED_G 0 #define RED_B 0 #define GREEN_R 0 #define GREEN_G 255 #define GREEN_B 0 #define BLUE_R 0 #define BLUE_G 0 #define BLUE_B 255 #define YELLOW_R 255 #define YELLOW_G 255 #define YELLOW_B 0 #define CYAN_R 0 #define CYAN_G 255 #define CYAN_B 255 #define MAGENTA_R 255 #define MAGENTA_G 0 #define MAGENTA_B 255 #define SILVER_R 192 #define SILVER_G 192 #define SILVER_B 192 #define GRAY_R 128 #define GRAY_G 128 #define GRAY_B 128 #define MAROON_R 128 #define MAROON_G 0 #define MAROON_B 0 #define PURPLE_R 127 #define PURPLE_G 0 #define PURPLE_B 255 // led mode defines #define LED_MODE_OFF 0x10 #define LED_MODE_WHITE 0x20 #define LED_MODE_RGB 0x30 #define LED_MODE_RGB_SET 0x40 // pin definitions #define WHITE_EN_PIN 3 #define RGB_EN_PIN 2 #define DIN_PIN 0 #define DOUT_PIN 1 #define VIN_ADC_PIN A2 //A2, aruidno pin & port pin 4 // marcros for led output control functions #define white_leds_on() digitalWrite(WHITE_EN_PIN, HIGH); #define white_leds_off() digitalWrite(WHITE_EN_PIN, LOW); #define rgb_leds_on() digitalWrite(RGB_EN_PIN, HIGH); #define rgb_leds_off() digitalWrite(RGB_EN_PIN, LOW); // indexes for RGB data array #define RGB_DATA_RED 0 #define RGB_DATA_GREEN 1 #define RGB_DATA_BLUE 2 // max values for white and RGB LEDs #define ADC_WHITE_MAX 1000 #define ADC_RGB_MAX 500 // function prototypes unsigned int read_vin(); void set_led_mode (unsigned int mode); unsigned int read_command(unsigned int command); // global variables unsigned int led_mode = LED_MODE_OFF; unsigned int rgb_data[3]; unsigned int rgb_data_index = 0; SoftwareSerial tinySerial(DOUT_PIN, DIN_PIN); // DOUT is not actually UART, it is taken over with the FastLED library below. CRGB leds[NUM_LEDS]; void setup() { pinMode(DIN_PIN, INPUT); pinMode(DOUT_PIN, OUTPUT); pinMode(WHITE_EN_PIN, OUTPUT); pinMode(RGB_EN_PIN, OUTPUT); pinMode(VIN_ADC_PIN, INPUT); //initially, both outputs off led_mode = LED_MODE_OFF; set_led_mode(LED_MODE_OFF); //led_mode); tinySerial.begin(9600); // put your setup code here, to run once: FastLED.addLeds<WS2812, LED_PIN, COLOR_ORDER>(leds, NUM_LEDS); for (int i=0; i<NUM_LEDS; i++) { leds[i] = CRGB(PURPLE_R, PURPLE_G, PURPLE_B);//WHITE_R, WHITE_G, WHITE_B); } //FastLED.show(); } void loop() { // put your main code here, to run repeatedly: // first, read vin and determine output mode (off, white LEDs, or RGB LEDs): //led_mode = read_vin(); // debugging: force RGB LED mode. led_mode = LED_MODE_RGB; // second, look for control command from data input /*if(tinySerial.available()) { led_mode = read_command( tinySerial.read() ); }*/ // debugging: force RGB colors to remain in the state set in setup() set_led_mode(led_mode); delay(10); // 10 ms } unsigned int read_vin() { unsigned int vin; unsigned int mode; vin = analogRead(VIN_ADC_PIN); if (vin > ADC_WHITE_MAX) { mode = LED_MODE_OFF; } else if (vin > ADC_RGB_MAX) // less than white ma but greater than RGB max { mode = LED_MODE_WHITE; } else // low enough to safely run RGB LEDs. { mode = LED_MODE_RGB; } return mode; } void set_led_mode(unsigned int mode) { switch(mode) { case LED_MODE_OFF: white_leds_off(); rgb_leds_off(); break; case LED_MODE_WHITE: white_leds_on(); rgb_leds_off(); break; case LED_MODE_RGB: white_leds_on(); //voltage will be too low for LEDs to draw current, so ok to leave this on. rgb_leds_on(); FastLED.show(); break; default: white_leds_off(); rgb_leds_off(); // set error code or send diagnostic message? break; } } unsigned int read_command(unsigned int data) { /* * input: serial command / data byte. * * LED_MODE_OFF both off * LED_MODE_WHITE RGB off, white on * LED_MODE_RGB RGB on, set PWM via FastLED * LED_MODE_RGB_SET Set RGB colors with a set of bytes * * the first 3 commands will directly determine how the output control pins should be set. * * the last command will trigger a sequence of serial bytes that contain RGB color data. Each byte will be sent every 50ms. * * first byte: blue data * second byte: green data * third byte: red data */ static unsigned int mode; // NOTE: when this "if" is taken, mode is not changed, but it is still returned. the previous mode is retained. if (rgb_data_index) // if index > 0, we are in the middle of transferring data. { rgb_data_index--; rgb_data[rgb_data_index] = data; // after the last byte is sent, update the DOUT output data being sent. if (0 == rgb_data_index) { for (int i=0; i<NUM_LEDS; i++) { leds[i] = CRGB(GREEN_R, GREEN_G, GREEN_B);//(rgb_data{RGB_DATA_RED], rgb_data{RGB_DATA_GREEN], rgb_data{RGB_DATA_BLUE]); } FastLED.show(); } } else { switch(data) { case LED_MODE_RGB_SET: rgb_data_index = 3; // this will start the data read sequence, which occurs in the "if" statement above. break; case LED_MODE_OFF: mode = LED_MODE_OFF; break; case LED_MODE_WHITE: mode = LED_MODE_WHITE; break; case LED_MODE_RGB: mode = LED_MODE_RGB; break; default: mode = LED_MODE_OFF; break; } } return mode; } // end of file.
8f3183f1d6bfd35d3416290162b23085e9994e02
311047553f96fcabf7ea9ca2906705481c9be85a
/ER-StaticAnalysis/source/ER/relationship.h
5ada182e67fc1821da6087c95e19ad1c066aa38e
[ "MIT", "BSD-3-Clause" ]
permissive
asugeno-projects/safer
478a2f5a7bbdc330507c41b037acf98a20035819
8024f7cdc0d565079c885b1bac0372627898450f
refs/heads/master
2021-06-27T20:17:41.100346
2017-09-05T01:42:14
2017-09-05T01:42:14
67,341,685
0
0
null
2017-09-05T01:42:15
2016-09-04T11:44:46
C++
UTF-8
C++
false
false
3,375
h
relationship.h
/** * @file relationship.h * @date 2016/01/31 * @author Akihiro Sugeno * @par Revision * $Id$ * @par Copyright * Copyright 2015 Akihiro Sugeno * @par History * - 2015/07/03 Akihiro Sugeno * -# Initial Version */ #ifndef RDS_ER_STATICANALYSIS_SOURCE_ER_RELATIONSHIP_H_ #define RDS_ER_STATICANALYSIS_SOURCE_ER_RELATIONSHIP_H_ #include <string> #include <list> #include "../ER/entity.h" /** * @class Relationship * リレーションシップクラス * @brief リレーションシップ情報を格納するクラス */ class Relationship { public: typedef std::list <class Entity *> ENTITY_LIST; typedef std::list <std::wstring> DEPEND_KEY_LIST; private: ENTITY_LIST entityList;/*!< テーブル情報 */ DEPEND_KEY_LIST entity1DependKeyList;/*!< テーブル1の依存するカラムリスト */ DEPEND_KEY_LIST entity2DependKeyList;/*!< テーブル2の依存するカラムリスト */ int cardinalityType1;/*!< テーブル1の依存するカラムリスト */ int cardinalityType2;/*!< テーブル2の依存するカラムリスト */ bool dependenceFlg;/*!< 依存フラグ ? */ public: enum CardinalityTypeList{ E_ZERO_ONE = 1, //0又は1 E_ONE, //1, E_ZERO_OR_MORE,//多数(0以上) E_MORE,//多数(1以上), E_VALUE_FIXED//N固定(値が必ず決まっている) }; /*! エンティティオブジェクトのセット関数 */ void setEntity(Entity *entity) { this->entityList.push_back(entity); } /*! エンティティオブジェクトのゲット関数 */ const ENTITY_LIST & getEntityList() const { return this->entityList; } /*! エンティティ1番依存カラム セット関数 */ void setEntity1DependKey(std::wstring key) { this->entity1DependKeyList.push_back(key); } /*! エンティティ1番依存カラム ゲット関数 */ const DEPEND_KEY_LIST & getEntity1DependKeyList() const { return this->entity1DependKeyList; } /*! エンティティ2番依存カラム セット関数 */ void setEntity2DependKey(std::wstring key) { this->entity2DependKeyList.push_back(key); } /*! エンティティ2番依存カラム ゲット関数 */ const DEPEND_KEY_LIST &getEntity2DependKeyList() const { return this->entity2DependKeyList; } /*! リレーションシップタイプ1 セット関数 */ void setCardinalityType1(int type) { this->cardinalityType1 = type; } /*! リレーションシップタイプ1 ゲット関数 */ const int getCardinalityType1() const { return this->cardinalityType1; } /*! リレーションシップタイプ2 セット関数 */ void setCardinalityType2(int type) { this->cardinalityType2 = type; } /*! リレーションシップタイプ2 ゲット関数 */ const int getCardinalityType2() const { return this->cardinalityType2; } /*! 依存フラグ セット関数 */ void setDependenceFlg(bool flg) { this->dependenceFlg = flg; } /*! 依存フラグ ゲット関数 */ const bool getDependenceFlg() const { return this->dependenceFlg; } /*! Relationshipクラスデストラクタ */ ~Relationship() { //entityListはEntityオブジェクトのポインタを格納していますが、実体は別のオブジェクトで管理されるため、 //ここではdelete命令を行わない } }; #endif //RDS_ER_STATICANALYSIS_SOURCE_ER_RELATIONSHIP_H_
f5fc5a68ebc90bcd337d8bfc1a090c1b0bcfdbf1
caccabb04d1d4035081ab06f8cd83e6a954fe75d
/C/Pointer Operation/Exercise_21.cpp
db7bd28fbe5f39fd563d07e3e61d82629d58a04d
[]
no_license
intanpuspita/College-Projects
92e08406d3400e5970e73b482bce6c0ea78dcd1b
a7424ac80fa4e208ab0adf66d01328a0b1f98b2f
refs/heads/master
2021-05-16T02:49:11.475136
2019-01-21T04:16:09
2019-01-21T04:16:09
40,521,389
0
0
null
null
null
null
UTF-8
C++
false
false
1,281
cpp
Exercise_21.cpp
/*----------------------------------------------------------------------------*/ /* File : list1.c */ /* Deskripsi : contoh deklarasi list dan pemakaian makro */ /* Dibuat oleh : Tim Dosen SDP */ /* Tanggal : 13-09-2001 */ /*----------------------------------------------------------------------------*/ #include<stdlib.h> #include<stdio.h> /*Definisi akses komponen type, standard kuliah Algoritma dan pemrograman*/ #define info(P) (P)->info #define next(P) (P)->next #define Nil NULL /* Definisi TYPE global (sebenarnya untuk soal ini tidak perlu global) */ /* Element list linier */ typedef int infotype; typedef struct tElmtlist *address; typedef struct tElmtlist { infotype info; address next; } ElmtList; /* Program Utama */ int main() { /* kamus */ address First; address P, Q; /* program */ /* Create list kosong */ First = Nil; /* Alokasi, insert as first elemen */ P = (address) malloc(sizeof (ElmtList)); info(P) = 10; next(P) = Nil; First = P; /* Alokasi, insert as first elemen */ Q = (address) malloc(sizeof (ElmtList)); info(Q) = 20; next(Q) = Nil; next(Q) = First; First = Q; /* Alokasi, insert as first elemen */ P = (address) malloc(sizeof (ElmtList)); info(P) = 30; next(P) = Nil; next(P) = First; First = P; printf("%d \n", info(next(next(First)))); return 0; }
50e837690e1721a62bf55f9bcc08153b652ffa84
c1f937093bcf854a77794e0dfd87893e38e6a496
/AtCoder/ABC/054/A.cpp
37723f7f718f2ed28c5ec495b9e7b112eda390ae
[]
no_license
PochecoPachico/Procon
346c19113000d454793400199a4fbef944876a02
fd9abd45236eab8bf3695bf310c7c344a254f3d8
refs/heads/master
2023-05-16T10:28:06.508439
2021-06-06T01:27:49
2021-06-06T01:27:49
335,154,954
0
0
null
null
null
null
UTF-8
C++
false
false
477
cpp
A.cpp
#include <iostream> #include <cmath> #include <vector> using namespace std; typedef long long ll; typedef unsigned long long ull; struct edge { int u, v; ll w; }; ll MOD = 1000000007; ll _MOD = 1000000009; double EPS = 1e-10; int main() { int A, B; cin >> A >> B; if (A == B) { cout << "Draw" << endl; } else if (A == 1 || (B != 1 && A > B)) { cout << "Alice" << endl; } else if (B == 1 || (A != 1 && B > A)) { cout << "Bob" << endl; } return 0; }
c58b6162ee81c425bf283bb7a690da5959b32a49
439666d3845c4c4ef018703db8bb72b9d95e30af
/BOJ/01000/1748_수이어쓰기1.cpp
8d99d7561564be84a1f0a7c9d68f10f09938981b
[]
no_license
tjddus/PS
8f94554d1828b5add062978ef71e2e161f953b59
af3d8dd2922ae6f8a29bae7ac24bdd4044607900
refs/heads/main
2023-04-27T13:45:28.453300
2021-05-14T10:49:00
2021-05-14T10:49:00
318,990,390
0
0
null
null
null
null
UTF-8
C++
false
false
455
cpp
1748_수이어쓰기1.cpp
#include <iostream> #include <algorithm> #include <cmath> using namespace std; int n, cnt, nSize; int main() { ios_base::sync_with_stdio(false); cin.tie(0); cout.tie(0); cin >> n; int temp = n; while (temp > 0) { temp /= 10; nSize++; } for (int i = 1; i < nSize; i++) cnt += i * (9 * pow(10, i - 1)); cnt += nSize * (n - pow(10, nSize - 1) + 1); cout << cnt << "\n"; return 0; }
bcfbb2987be256522244256fae560444f4b36e59
85b07155a9997bbebf4c682983b8fc99152cb090
/ItemType.cpp
7645cdb8beb550f81d808460285911ae1141abba
[]
no_license
CodecoolBP20171/cpp-mighty-text-adventure-return-funnyteamname
add3bb4d79be2ddd772a683ef6c1e517c65d45c0
194d61b3f693384de4908ca1ad52d0517e05e330
refs/heads/master
2021-07-11T21:51:31.490911
2017-10-13T05:43:46
2017-10-13T05:43:46
106,258,985
0
0
null
2017-10-12T20:00:28
2017-10-09T08:50:11
C++
UTF-8
C++
false
false
64
cpp
ItemType.cpp
// // Created by apha on 2017.10.11.. // #include "ItemType.h"
413564d3e2f8de602a8a221ef41105bf3b298877
2a2c909ca11664fbfe3bbac77b60d9ff68c6f3d4
/Unit Converter/Unit Converter2.cpp
b386afe8b5c6478e13be03339f32e12a41d40f84
[ "MIT" ]
permissive
sunjerry019/RandomCodes
d8049ca188d7f0daeee4a9b43d119ab026a9027c
4402604aaeee63bb1ce6fa962c496b438bb17e50
refs/heads/master
2021-01-12T14:32:02.077792
2019-05-19T15:42:48
2019-05-19T15:42:48
70,065,532
0
0
null
null
null
null
UTF-8
C++
false
false
54,647
cpp
Unit Converter2.cpp
// Unit Converter.cpp : Defines the entry point for the console application. // #include<iostream> using namespace std; int main() { int a,b,c; double answer; char fc; double n; start: system("cls"); cout<<"Unit Converter"<<endl<<"----------------------------"; cout<<endl<<"Coded by Sun Yudong, Icon from taptaptap."<<endl; cout<<"----------------------------"; cout<<endl<<"Select conversion type:"<<endl; cout<<"1.Mass\n"<<"2.Distance and length\n"<<"3.Capacity and volume\n"; cout<<"4.Area\n"<<"5.Speed\n"<<"6.Time\n"<<"7.Pressure and Stress\n"; cout<<"8.Power\n"<<"9.Temperature\n"<<"0.Exit\n"<<"----------------------------\n"<<"Please enter a number corresponding to the type of conversion:"; cin>>a; if(a==1) { mass1: system("cls"); cout<<"1.Mass\n"<<"----------------------------\n"; cout<<"1.Kilograms to Grams\n"<<"2.Grams to Kilograms\n"<<"3.Tons to Kilograms\n"<<"4.Kilograms to Tons\n"; cout<<"5.Grams to Tons\n"<<"6.Tons to Grams\n"<<"7.Back to menu\n"<<"0.Exit\n"<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Kilograms to Grams\n"<<"--------------\n"; cout<<"Enter Kilograms:"; cin>>n; answer=n*1000.00; cout<<"Converted into Grams: "<<answer<<"g.\n"; break; case 2: cout<<"Grams to Kilograms\n"<<"--------------\n"; cout<<"Enter Grams:"; cin>>n; answer=n/1000.00; cout<<"Converted into Kilograms: "<<answer<<"kg.\n"; break; case 3: cout<<"Tons to Kilograms\n"<<"--------------\n"; cout<<"Enter Tons:"; cin>>n; answer=n*1000.00; cout<<"Converted into Kilograms: "<<answer<<"kg.\n"; break; case 4: cout<<"Kilograms to Tons\n"<<"--------------\n"; cout<<"Enter Kilograms:"; cin>>n; answer=n/1000; cout<<"Converted into Tons: "<<answer<<" t.\n"; break; case 5: cout<<"Grams to Tons\n"<<"--------------\n"; cout<<"Enter Grams:"; cin>>n; answer=(n*1000)*1000.00; cout<<"Converted into Tons: "<<answer<<" t.\n"; break; case 6: cout<<"Tons to Grams\n"<<"--------------\n"; cout<<"Enter Tons:"; cin>>n; answer=(n/1000)/1000.00; cout<<"Converted into Grams: "<<answer<<"g.\n"; break; case 7: system("cls"); goto start; break; case 0: return 0; break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto mass1; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto mass; break; case'n': exitmass1: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exitmass1; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } mass: system("cls"); cout<<"1.Mass\n"<<"----------------------------\n"; cout<<"1.Kilograms to Grams\n"<<"2.Grams to Kilograms\n"<<"3.Tons to Killograms\n"<<"4.Kilograms to Tons\n"; cout<<"5.Grams to Tons\n"<<"6.Tons to Grams\n"<<"7.Back to menu\n"<<"0.Exit\n"<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Kilograms to Grams\n"<<"--------------\n"; answer=n*1000.00; cout<<"Converted into Grams: "<<answer<<"g.\n"; break; case 2: cout<<"Grams to Kilograms\n"<<"--------------\n"; answer=n/1000.00; cout<<"Converted into Kilograms: "<<answer<<"kg.\n"; break; case 3: cout<<"Tons to Kilograms\n"<<"--------------\n"; answer=n*1000.00; cout<<"Converted into Kilograms: "<<answer<<"kg.\n"; break; case 4: cout<<"Kilograms to Tons\n"<<"--------------\n"; answer=n/1000.00; cout<<"Converted into Tons: "<<answer<<" t.\n"; break; case 5: cout<<"Grams to Tons\n"<<"--------------\n"; answer=(n*1000)*1000.00; cout<<"Converted into Tons: "<<answer<<" t.\n"; break; case 6: cout<<"Tons to Grams\n"<<"--------------\n"; answer=(n/1000)/1000.00; cout<<"Converted into Grams: "<<answer<<"g.\n"; break; case 7: system("cls"); goto start; break; case 0: return 0; break; default: cout<<"This is not a valid selection\n"; cout<<"Contimue to reselect\n"; system("pause"); goto mass; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto mass; break; case 'n': exitmass: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect"; system("pause"); goto exitmass; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } } else if(a==2) { //length length1: system("cls"); cout<<"2.Distance and length\n"<<"----------------------------\n"; cout<<"1.Meters to Kilometers "<<"2.Kilometers to Meters\n"; cout<<"3.Centimeters to Meters "<<"4.Meters to Centimeters\n"; cout<<"5.Kilometers to Centimeters "<<"6.Centimeters to Kilometeres\n"; cout<<"7.Millimeters to Centimeters "<<"8.Centimeters to Millimeters\n"; cout<<"9.Millimeters to Meters "<<"10.Meters to Millimeters\n"; cout<<"11.Millimeters to Kilometers "<<"12.Kilometers to Millimeters\n"; cout<<"13.Miles to Kilometers "<<"14.Kilometers to Miles\n"; cout<<"15.Feet to Yards "<<"16.Yards to Feet\n"; cout<<"17.Feet to Centimeters "<<"18.Centimeters to Feet\n"; cout<<"19.Feet to Meters "<<"20.Meters to Feet\n"; cout<<"21.Inches to Centimeters "<<"22.Centimeters to Inches\n"; cout<<"23.Yards to Miles "<<"24.Miles to Yards\n"; cout<<"25.Miles to Feet "<<"26.Feet to Miles\n"; cout<<"27.Back to menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Meters to Kilometers\n"; cout<<"--------------\n"; cout<<"Enter Meters:"; cin>>n; answer=n/1000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 2: cout<<"Kilometers to Meters\n"; cout<<"--------------\n"; cout<<"Enter Kilometers:"; cin>>n; answer=n*1000.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 3: cout<<"Centimeters to Meters\n"; cout<<"--------------\n"; cout<<"Enter Centimeters:"; cin>>n; answer=n/100.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 4: cout<<"Meters to Centimeters\n"; cout<<"--------------\n"; cout<<"Enter Meters:"; cin>>n; answer=n*100.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 5: cout<<"Kilometers to Centimeters\n"; cout<<"--------------\n"; cout<<"Enter Kilometers:"; cin>>n; answer=n*100000.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 6: cout<<"Centimeters to Kilometers\n"; cout<<"--------------\n"; cout<<"Enter Kilometers:"; cin>>n; answer=n/100000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 7: cout<<"Millimeters to Centimeters\n"; cout<<"--------------\n"; cout<<"Enter Millimeters:"; cin>>n; answer=n/10.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 8: cout<<"Centimeters to Millimeters\n"; cout<<"--------------\n"; cout<<"Enter centimeters:"; cin>>n; answer=n*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 9: cout<<"Millimeters to Meters\n"; cout<<"--------------\n"; cout<<"Enter Millimeters:"; cin>>n; answer=(n/10)/100.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 10: cout<<"Meters to Millimeters\n"; cout<<"--------------\n"; cout<<"Enter Meters:"; cin>>n; answer=(n*100)*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 11: cout<<"Millimeters to Kilometers\n"; cout<<"--------------\n"; cout<<"Enter Millimeters:"; cin>>n; answer=((n/10)/100)/1000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 12: cout<<"Kilometers to Millimeters\n"; cout<<"--------------\n"; cout<<"Enter Kilometers:"; cin>>n; answer=((n*1000)*100)*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 13: cout<<"Miles to Kilometers\n"; cout<<"--------------\n"; cout<<"Enter Miles:"; cin>>n; answer=n*1.609344; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 14: cout<<"Kilometers to Miles\n"; cout<<"--------------\n"; cout<<"Enter Kilometers:"; cin>>n; answer=n/1.609344; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 15: cout<<"Feet to Yards\n"; cout<<"--------------\n"; cout<<"Enter Feet:"; cin>>n; answer=n/3.00; cout<<"Converted into Yards: "<<answer<<" yd.\n"; break; case 16: cout<<"Yards to Feet\n"; cout<<"--------------\n"; cout<<"Enter Yard:"; cin>>n; answer=n*3.00; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 17: cout<<"Feet to Centimeters\n"; cout<<"--------------\n"; cout<<"Enter Feet:"; cin>>n; answer=n*30.48; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 18: cout<<"Centimeters to Feet\n"; cout<<"--------------\n"; cout<<"Enter Centimeters:"; cin>>n; answer=n/30.48; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 19: cout<<"Feet to Meters\n"; cout<<"--------------\n"; cout<<"Enter Feet:"; cin>>n; answer=n*0.3048; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 20: cout<<"Meters to Feet\n"; cout<<"--------------\n"; cout<<"Enter Meters:"; cin>>n; answer=n/0.3048; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 21: cout<<"Inches to Centimeters\n"; cout<<"--------------\n"; cout<<"Enter Inches:"; cin>>n; answer=n*2.54; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 22: cout<<"Centimeters to Inches\n"; cout<<"--------------\n"; cout<<"Enter Centimeters:"; cin>>n; answer=n/2.54; cout<<"Converted into Inches: "<<answer<<" in.\n"; break; case 23: cout<<"Yards to Miles\n"; cout<<"--------------\n"; cout<<"Enter Yards:"; cin>>n; answer=n/1760.00; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 24: cout<<"Miles to Yards\n"; cout<<"--------------\n"; cout<<"Enter Miles:"; cin>>n; answer=n*1760.00; cout<<"Converted into Yards: "<<answer<<" yd.\n"; break; case 25: cout<<"Miles to Feet\n"; cout<<"--------------\n"; cout<<"Enter Miles:"; cin>>n; answer=n*5280.00; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 26: cout<<"Feet To Miles\n"; cout<<"--------------\n"; cout<<"Enter Feet:"; cin>>n; answer=n/5280.00; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 27: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto length1; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto length; break; case 'n': exitlength1: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exitlength1; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } length: system("cls"); cout<<"2.Distance and length\n"<<"----------------------------\n"; cout<<"1.Meters to Kilometers "<<"2.Kilometers to Meters\n"; cout<<"3.Centimeters to Meters "<<"4.Meters to Centimeters\n"; cout<<"5.Kilometers to Centimeters "<<"6.Centimeters to Kilometeres\n"; cout<<"7.Millimeters to Centimeters "<<"8.Centimeters to Millimeters\n"; cout<<"9.Millimeters to Meters "<<"10.Meters to Millimeters\n"; cout<<"11.Millimeters to Kilometers "<<"12.Kilometers to Millimeters\n"; cout<<"13.Miles to Kilometers "<<"14.Kilometers to Miles\n"; cout<<"15.Feet to Yards "<<"16.Yards to Feet\n"; cout<<"17.Feet to Centimeters "<<"18.Centimeters to Feet\n"; cout<<"19.Feet to Meters "<<"20.Meters to Feet\n"; cout<<"21.Inches to Centimeters "<<"22.Centimeters to Inches\n"; cout<<"23.Yards to Miles "<<"24.Miles to Yards\n"; cout<<"25.Miles to Feet "<<"26.Feet to Miles\n"; cout<<"27.Back to menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Meters to Kilometers\n"; cout<<"--------------\n"; answer=n/1000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 2: cout<<"Kilometers to Meters\n"; cout<<"--------------\n"; answer=n*1000.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 3: cout<<"Centimeters to Meters\n"; cout<<"--------------\n"; answer=n/100.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 4: cout<<"Meters to Centimeters\n"; cout<<"--------------\n"; answer=n*100.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 5: cout<<"Kilometers to Centimeters\n"; cout<<"--------------\n"; answer=n*100000.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 6: cout<<"Centimeters to Kilometers\n"; cout<<"--------------\n"; answer=n/100000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 7: cout<<"Millimeters to Centimeters\n"; cout<<"--------------\n"; answer=n/10.00; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 8: cout<<"Centimeters to Millimeters\n"; cout<<"--------------\n"; answer=n*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 9: cout<<"Millimeters to Meters\n"; cout<<"--------------\n"; answer=(n/10)/100.00; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 10: cout<<"Meters to Millimeters\n"; cout<<"--------------\n"; answer=(n*100)*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 11: cout<<"Millimeters to Kilometers\n"; cout<<"--------------\n"; answer=((n/10)/100)/1000.00; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 12: cout<<"Kilometers to Millimeters\n"; cout<<"--------------\n"; answer=((n*1000)*100)*10.00; cout<<"Converted into Millimeters: "<<answer<<" mm.\n"; break; case 13: cout<<"Miles to Kilometers\n"; cout<<"--------------\n"; answer=n*1.609344; cout<<"Converted into Kilometers: "<<answer<<" km.\n"; break; case 14: cout<<"Kilometers to Miles\n"; cout<<"--------------\n"; answer=n/1.609344; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 15: cout<<"Feet to Yards\n"; cout<<"--------------\n"; answer=n/3.00; cout<<"Converted into Yards: "<<answer<<" yd.\n"; break; case 16: cout<<"Yards to Feet\n"; cout<<"--------------\n"; answer=n*3.00; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 17: cout<<"Feet to Centimeters\n"; cout<<"--------------\n"; answer=n*30.48; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 18: cout<<"Centimeters to Feet\n"; cout<<"--------------\n"; answer=n/30.48; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 19: cout<<"Feet to Meters\n"; cout<<"--------------\n"; answer=n*0.3048; cout<<"Converted into Meters: "<<answer<<" m.\n"; break; case 20: cout<<"Meters to Feet\n"; cout<<"--------------\n"; answer=n/0.3048; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 21: cout<<"Inches to Centimeters\n"; cout<<"--------------\n"; answer=n*2.54; cout<<"Converted into Centimeters: "<<answer<<" cm.\n"; break; case 22: cout<<"Centimeters to Inches\n"; cout<<"--------------\n"; answer=n/2.54; cout<<"Converted into Inches: "<<answer<<" in.\n"; break; case 23: cout<<"Yards to Miles\n"; cout<<"--------------\n"; answer=n/1760.00; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 24: cout<<"Miles to Yards\n"; cout<<"--------------\n"; answer=n*1760.00; cout<<"Converted into Yards: "<<answer<<" yd.\n"; break; case 25: cout<<"Miles to Feet\n"; cout<<"--------------\n"; answer=n*5280.00; cout<<"Converted into Feet: "<<answer<<" ft.\n"; break; case 26: cout<<"Feet To Miles\n"; cout<<"--------------\n"; answer=n/5280.00; cout<<"Converted into Miles: "<<answer<<" miles.\n"; break; case 27: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto length; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto length; break; case 'n': exitlength: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exitlength; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } } else if(a==3) { system("cls"); cout<<"3.Capacity and volume\n"<<"----------------------------\n"; } else if(a==4) { system("cls"); cout<<"4.Area\n"<<"----------------------------\n"; } else if(a==5) { speed1: system("cls"); cout<<"5.Speed\n"<<"----------------------------\n"; cout<<"1.km/h to mph "<<"2.mph to km/h\n"; cout<<"3.m/s to km/h "<<"4.km/h to m/s\n"; cout<<"5.ft/s to m/s "<<"6.m/s to ft/s\n"; cout<<"7.ft/s to km/h "<<"8.km/h to ft/s\n"; cout<<"9.Knots to mph "<<"10.mph to Knots\n"; cout<<"11.Knots to km/h "<<"12.km/h to Knots\n"; cout<<"13.Back to menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Kilometers per hour to Miles per hour\n"<<"--------------\n"; cout<<"Enter km/h:"; cin>>n; answer=n/1.609344; cout<<"Converted into mph: "<<answer<<" mph.\n"; break; case 2: cout<<"Miles per hour to Kilometer per hour\n"<<"--------------\n"; cout<<"Enter mph:"; cin>>n; answer=n*1.609344; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 3: cout<<"Meter per second to Kilometer per hour\n"<<"--------------\n"; cout<<"Enter m/s:"; cin>>n; answer=n*3.6; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 4: cout<<"Kilometer per Hour to Meter per second\n"<<"--------------\n"; cout<<"Enter km/h:"; cin>>n; answer=n/3.6; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 5: cout<<"Feet per second to Meter per second\n"<<"--------------\n"; cout<<"Enter ft/s:"; cin>>n; answer=n*0.3048; cout<<"Converted into m/s: "<<answer<<" m/s.\n"; break; case 6: cout<<"Meter per second to Feet per second\n"<<"--------------\n"; cout<<"Enter m/s:"; cin>>n; answer=n/0.3048; cout<<"Converted into ft/s: "<<answer<<" ft/s.\n"; break; case 7: cout<<"Feet per second to Kilometer per hour\n"<<"--------------\n"; cout<<"Enter ft/s:"; cin>>n; answer=n*1.09728; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 8: cout<<"Kilometer per hour to Feet per second\n"<<"--------------\n"; cout<<"Enter km/h:"; cin>>n; answer=n/1.09728; cout<<"Converted into ft/s: "<<answer<<" ft/s.\n"; break; case 9: cout<<"Knots to Miles per hour\n"<<"--------------\n"; cout<<"Enter Knots:"; cin>>n; answer=n*1.150779; cout<<"Converted into mph: "<<answer<<" mph.\n"; break; case 10: cout<<"Miles per hour to Knots\n"<<"--------------\n"; cout<<"Enter mph:"; cin>>n; answer=n*0.868976; cout<<"Converted into Knots: "<<answer<<" Knots.\n"; break; case 11: cout<<"Knots to Kilometer per hour\n"<<"--------------\n"; cout<<"Enter Knots:"; cin>>n; answer=n*1.852; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 12: cout<<"Kilometer per hour to Knots\n"<<"--------------\n"; cout<<"Enter km/h:"; cin>>n; answer=n/1.852; cout<<"Converted into Knots: "<<answer<<" Knots.\n"; break; case 13: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto speed1; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto speed; break; case 'n': exitspeed1: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exitspeed1; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } speed: system("cls"); cout<<"5.Speed\n"<<"----------------------------\n"; cout<<"1.km/h to mph "<<"2.mph to km/h\n"; cout<<"3.m/s to km/h "<<"4.km/h to m/s\n"; cout<<"5.ft/s to m/s "<<"6.m/s to ft/s\n"; cout<<"7.ft/s to km/h "<<"8.km/h to ft/s\n"; cout<<"9.Knots to mph "<<"10.mph to Knots\n"; cout<<"11.Knots to km/h "<<"12.km/h to Knots\n"; cout<<"13.Back to menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Kilometers per hour to Miles per hour\n"<<"--------------\n"; answer=n/1.609344; cout<<"Converted into mph: "<<answer<<" mph.\n"; break; case 2: cout<<"Miles per hour to Kilometer per hour\n"<<"--------------\n"; answer=n*1.609344; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 3: cout<<"Meter per second to Kilometer per hour\n"<<"--------------\n"; answer=n*3.6; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 4: cout<<"Kilometer per Hour to Meter per second\n"<<"--------------\n"; answer=n/3.6; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 5: cout<<"Feet per second to Meter per second\n"<<"--------------\n"; answer=n*0.3048; cout<<"Converted into m/s: "<<answer<<" m/s.\n"; break; case 6: cout<<"Meter per second to Feet per second\n"<<"--------------\n"; answer=n/0.3048; cout<<"Converted into ft/s: "<<answer<<" ft/s.\n"; break; case 7: cout<<"Feet per second to Kilometer per hour\n"<<"--------------\n"; answer=n*1.09728; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 8: cout<<"Kilometer per hour to Feet per second\n"<<"--------------\n"; answer=n/1.09728; cout<<"Converted into ft/s: "<<answer<<" ft/s.\n"; break; case 9: cout<<"Knots to Miles per hour\n"<<"--------------\n"; answer=n*1.150779; cout<<"Converted into mph: "<<answer<<" mph.\n"; break; case 10: cout<<"Miles per hour to Knots\n"<<"--------------\n"; answer=n*0.868976; cout<<"Converted into Knots: "<<answer<<" Knots.\n"; break; case 11: cout<<"Knots to Kilometer per hour\n"<<"--------------\n"; answer=n*1.852; cout<<"Converted into km/h: "<<answer<<" km/h.\n"; break; case 12: cout<<"Kilometer per hour to Knots\n"<<"--------------\n"; answer=n/1.852; cout<<"Converted into Knots: "<<answer<<" Knots.\n"; break; case 13: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto speed; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto speed; break; case 'n': exitspeed: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exitspeed; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } } else if(a==6) { time1: system("cls"); cout<<"6.Time\n"<<"----------------------------\n"; cout<<"1.Seconds to Minutes "<<"2.Minutes to Seconds\n"; cout<<"3.Minutes to Hours "<<"4.Hours to Minutes\n"; cout<<"5.Seconds to Hours "<<"6.Hours to Seconds\n"; cout<<"7.Hours to Months "<<"8.Months to Hours\n"; cout<<"9.Hours to Days "<<"10.Days to Hours\n"; cout<<"11.Hours to Years "<<"12.Years to Hours\n"; cout<<"13.Years to Minutes "<<"14.Minutes to Years\n"; cout<<"15.Days to Years "<<"16.Years to Days\n"; cout<<"17.Back to Menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Seconds to Minutes\n"<<"--------------\n"; cout<<"Enter Seconds:"; cin>>n; answer=n/60.00; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 2: cout<<"Minutes to Seconds\n"<<"--------------\n"; cout<<"Enter Minutes:"; cin>>n; answer=n*60.00; cout<<"Converted into Seconds: "<<answer<<" sec.\n"; break; case 3: cout<<"Minutes to Hours\n"<<"--------------\n"; cout<<"Enter Minutes:"; cin>>n; answer=n/60.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 4: cout<<"Hours to Minutes\n"<<"--------------\n"; cout<<"Enter Hours:"; cin>>n; answer=n*60.00; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 5: cout<<"Seconds to Hours\n"<<"--------------\n"; cout<<"Enter Seconds:"; cin>>n; answer=n/60.00/60.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 6: cout<<"Hours to Seconds\n"<<"--------------\n"; cout<<"Enter Hours:"; cin>>n; answer=n*60.00*60.00; cout<<"Converted into Seconds: "<<answer<<" sec.\n"; break; case 7: cout<<"Hours to Months"<<"--------------\n"; cout<<"Enter Hours:"; cin>>n; answer=n/(24.00*30); cout<<"Note: A month is taken as 30 days.\n"; cout<<"Converted into Months: "<<answer<<" sec.\n"; break; case 8: cout<<"Months to Hours\n"<<"--------------\n"; cout<<"Note: A month is taken as 30 days.\n"; cout<<"Enter Months:"; cin>>n; answer=n*30*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 9: cout<<"Hours to Days\n"<<"--------------\n"; cout<<"Enter Hours:"; cin>>n; answer=n/24.00; cout<<"Converted into Days: "<<answer<<" days.\n"; break; case 10: cout<<"Days to Hours\n"<<"--------------\n"; cout<<"Enter Days:"; cin>>n; answer=n*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 11: cout<<"Hours to Years\n"<<"--------------\n"; cout<<"Enter Hours:"; cin>>n; answer=(n/24.00)/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 12: cout<<"Years to Hours\n"<<"--------------\n"; cout<<"Enter Years:"; cin>>n; answer=(n*365)*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 13: cout<<"Years to Minutes\n"<<"--------------\n"; cout<<"Enter Years:"; cin>>n; answer=(n*365)*24.00*60; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 14: cout<<"Minutes to Years\n"<<"--------------\n"; cout<<"Enter Minutes:"; cin>>n; answer=((n/60)/24.00)/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 15: cout<<"Days to Years\n"<<"--------------\n"; cout<<"Note: 1 year is taken as 365 days.\n"; cout<<"Enter Days:"; cin>>n; answer=n/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 16: cout<<"Years to Days\n"<<"--------------\n"; cout<<"Note: 1 year is taken as 365 days.\n"; cout<<"Enter Years:"; cin>>n; answer=n*365; cout<<"Converted into Days: "<<answer<<" days.\n"; break; case 17: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto time1; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto time; break; case 'n': exittime1: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exittime1; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } time: system("cls"); cout<<"6.Time\n"<<"----------------------------\n"; cout<<"1.Seconds to Minutes "<<"2.Minutes to Seconds\n"; cout<<"3.Minutes to Hours "<<"4.Hours to Minutes\n"; cout<<"5.Seconds to Hours "<<"6.Hours to Seconds\n"; cout<<"7.Hours to Months "<<"8.Months to Hours\n"; cout<<"9.Hours to Days "<<"10.Days to Hours\n"; cout<<"11.Hours to Years "<<"12.Years to Hours\n"; cout<<"13.Years to Minutes "<<"14.Minutes to Years\n"; cout<<"15.Days to Years "<<"16.Years to Days\n"; cout<<"17.Back to Menu "<<"0.Exit\n"; cout<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Seconds to Minutes\n"<<"--------------\n"; answer=n/60.00; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 2: cout<<"Minutes to Seconds\n"<<"--------------\n";; answer=n*60.00; cout<<"Converted into Seconds: "<<answer<<" sec.\n"; break; case 3: cout<<"Minutes to Hours\n"<<"--------------\n"; answer=n/60.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 4: cout<<"Hours to Minutes\n"<<"--------------\n"; answer=n*60.00; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 5: cout<<"Seconds to Hours\n"<<"--------------\n"; answer=n/60.00/60.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 6: cout<<"Hours to Seconds\n"<<"--------------\n"; answer=n*60.00*60.00; cout<<"Converted into Seconds: "<<answer<<" sec.\n"; break; case 7: cout<<"Hours to Months"<<"--------------\n"; answer=n/(24.00*30); cout<<"Note: A month is taken as 30 days.\n"; cout<<"Converted into Months: "<<answer<<" sec.\n"; break; case 8: cout<<"Months to Hours\n"<<"--------------\n"; cout<<"Note: A month is taken as 30 days."; answer=n*30*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 9: cout<<"Hours to Days\n"<<"--------------\n"; answer=n/24.00; cout<<"Converted into Days: "<<answer<<" days.\n"; break; case 10: cout<<"Days to Hours\n"<<"--------------\n"; answer=n*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 11: cout<<"Hours to Years\n"<<"--------------\n"; answer=(n/24.00)/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 12: cout<<"Years to Hours\n"<<"--------------\n"; answer=(n*365)*24.00; cout<<"Converted into Hours: "<<answer<<" h.\n"; break; case 13: cout<<"Years to Minutes\n"<<"--------------\n"; answer=(n*365)*24.00*60; cout<<"Converted into Minutes: "<<answer<<" min.\n"; break; case 14: cout<<"Minutes to Years\n"<<"--------------\n"; answer=((n/60)/24.00)/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 15: cout<<"Days to Years\n"<<"--------------\n"; cout<<"Note: 1 year is taken as 365 days.\n"; answer=n/365; cout<<"Converted into Years: "<<answer<<" years.\n"; break; case 16: cout<<"Years to Days\n"<<"--------------\n"; cout<<"Note: 1 year is taken as 365 days.\n"; answer=n*365; cout<<"Converted into Days: "<<answer<<" days.\n"; break; case 17: system("cls"); goto start; break; case 0: return 0; break; default: cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto time1; } cout<<"Further conversion?(y/n):"; cin>>fc; switch(fc) { case 'y': n=answer; goto time; break; case 'n': exittime: system("cls"); cout<<"1.Exit\n"<<"2.Back to menu\n"; cout<<"Please select option:"; cin>>c; switch(c) { case 1: return 0; break; case 2: system("cls"); goto start; break; default: cout<<"This is not a valid selection\n"; cout<<"Continue to reselect\n"; system("pause"); goto exittime; } break; default: cout<<"This is not a valid selection.\n"; cout<<"Continue to exit.\n"; system("pause"); return 0; } } else if(a==7) { system("cls"); cout<<"7.Pressure and Stress\n"<<"----------------------------\n"; } else if(a==8) { system("cls"); cout<<"8.Power\n"<<"----------------------------\n"; } else if(a==9) { temp: system("cls"); cout<<"10.Temperature\n"<<"----------------------------\n"; cout<<"1.Celsius to Fahrenheit\n"<<"2.Fahrenheit to Celsius\n"; cout<<"3.Kelvin to Celsius\n"<<"4.Celsius to Kelvin\n"; cout<<"5.Kelvin to Fahrenheit\n"<<"6.Fahrenheit to Kelvin\n"; cout<<"7.Back to menu\n"<<"0.Exit\n"<<"----------------------------\n"; cout<<"Please enter the corresponding number to your selection:"; cin>>b; cout<<"----------------------------\n"; switch(b) { case 1: cout<<"Celsius to Fahrenheit\n"<<"--------------\n"; cout<<"Enter Celsius:"; cin>>n; answer=(9.00/5)*n+32; cout<<"Converted into Fahrenheit:"<<answer<<" deg F.\n"; break; case 2: cout<<"Fahrenheit to Celsius\n"<<"--------------\n"; cout<<"Enter Fahrenheit:"; cin>>n; answer=(n-32.00)*(5.00/9); cout<<"Converted into Celsius:"<<answer<<" deg C.\n"; break; case 3: cout<<"Kelvin to Celsius\n"<<"--------------\n"; cout<<"Enter Kelvin:"; cin>>n; answer=n-273.15; cout<<"Converted into Celsius:"<<answer<<" K.\n"; break; case 4: cout<<"Celsius to Kelvin\n"<<"--------------\n"; cout<<"Enter Celsius:"; cin>>n; answer=n+273.15; cout<<"Converted into Kelvin:"<<answer<<" deg C.\n"; break; case 5: cout<<"Kelvin to Fahrenheit\n"<<"--------------\n"; cout<<"Enter Kelvin:"; cin>>n; answer=n*(9/5.00) - 459.67; cout<<"Converted to Fahrenheit:"<<answer<<" deg F.\n"; break; case 6: cout<<"Fahrenheit to Kelvin\n"<<"--------------\n"; cout<<"Enter Fahrenheit:"; cin>>n; answer=(n+ 459.67)*5.00/9; cout<<"Converted to Kelvin:"<<answer<<" K.\n"; break; case 7: system("cls"); goto start; case 0: return 0; break; default: //Program crashed when typed a char cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto temp; } } else if(a==0) { return 0; } else { cout<<endl<<"This is not a valid selection.\n"; cout<<"Continue to reselect\n"; system("pause"); goto start; } system("pause"); return 0; }
f57a752a86b7184a218ade9a179f4d89205d5ebd
bc1852a71f53224f1e14639064da39a42d1a5c6c
/ConsoleApplication1/ConsoleApplication1/TourNearestNeighborDistanceLimit.cpp
aa2c3ae500b91ef866c93495d6e40891478411c1
[]
no_license
valeriapolozun/Repo
8ebe4a58afe6fbdd83da30ddcbad2fca47fc9833
f087924ccd2ee5303117f31803fad2bddc5a552e
refs/heads/master
2020-05-17T02:55:42.392113
2013-08-20T11:29:20
2013-08-20T11:29:20
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,357
cpp
TourNearestNeighborDistanceLimit.cpp
#include "TourNearestNeighborDistanceLimit.h" #include <iostream> using namespace std; TourNearestNeighborDistanceLimit::TourNearestNeighborDistanceLimit(string inputFile): OrienteeringProblemWithPickupsAndDeliveries(inputFile) { unvisitedNodes.assign(problemSize,1); unvisitedNodes[0]=0; unvisitedNodes[1]=0; while (isThereUnvisitedNodes()) { calcTourNearestNeighborDistanceLimit(); } profitsOfAllTheTours(1,0); } TourNearestNeighborDistanceLimit::~TourNearestNeighborDistanceLimit() { } void TourNearestNeighborDistanceLimit::calcTourNearestNeighborDistanceLimit(){ vector<int> unvisitedNodesForOneTour; unvisitedNodesForOneTour= unvisitedNodes; int startNode=0; vector<int> tour; tour.push_back(0); for (int i = 0; i < problemSize-2; i++) { startNode=getNearestNeighbor(unvisitedNodesForOneTour, startNode); if (isTotalLengthUnderLimit(tour, startNode)) { tour.push_back(startNode); } unvisitedNodesForOneTour[startNode]=0; } tour.push_back(1); for (int i=0; i < tour.size(); i++) { unvisitedNodes[tour[i]]=0; } if (tour.size()==2) { unvisitedNodes.assign(problemSize, 0); } else { solutionTours.push_back(tour); cout << "The " << solutionTours.size() << ". tour: "<< endl; for (int i = 0; i < tour.size(); i++) { cout << i+1 << ". place in the tour " << tour[i] << endl; } } }
0ae7350b6fa151a503fd95b7933804fc5e493fd7
64d701984a4990752567ea0d1b1e509f6885b1b9
/Contests/2019_NgodingSeru/Final_E_PermainanPoin.cpp
067e641e9b37b81847697664333dce229f44a302
[]
no_license
yonasadiel/cp
a74ca774e50000eac13a3ab3e73f117027903c81
45461651beb8b9d23ef52148cddf7960fe6a820b
refs/heads/master
2023-05-13T01:37:18.228579
2023-05-03T06:56:36
2023-05-03T06:56:36
96,586,727
5
2
null
2017-10-15T09:13:57
2017-07-08T00:59:17
C++
UTF-8
C++
false
false
1,259
cpp
Final_E_PermainanPoin.cpp
#include <bits/stdc++.h> #define ll long long #define fi first #define se second #define pii pair<int, int> #define mp make_pair #define MOD 1000000007 using namespace std; int r, c, b; ll dp[202][202][400]; int main() { scanf("%d%d%d", &r, &c, &b); for (int i = 0; i < r; i++) { for (int j = 0; j < c; j++) { for (int k = 0; k <= b; k++) { if (i == 0 && j == 0 && k == 0) { dp[i][j][k] = 1; } else if (i == 0 && j == 0) { dp[i][j][k] = 0; } else { dp[i][j][k] = 0; if (i > 0) dp[i][j][k] += dp[i - 1][j][k]; if (j > 0) dp[i][j][k] += dp[i][j - 1][k]; if (i > 0 && j > 0) dp[i][j][k] += MOD - dp[i - 1][j - 1][k]; if (k > 0 && !(i == r - 1 && j == c - 1)) { if (i > 0) dp[i][j][k] += dp[i - 1][j][k - 1]; if (j > 0) dp[i][j][k] += dp[i][j - 1][k - 1]; if (i > 0 && j > 0) dp[i][j][k] += MOD - dp[i - 1][j - 1][k - 1]; } dp[i][j][k] %= MOD; } } } } printf("%lld\n", dp[r-1][c-1][b]); }
a65c364ef5e8cf8cd5f3984f72b435810838439f
801e726cfeaba3a61c569af7184586b208b73d98
/fibonacci_dynamic.h
ed6f9f82af4d3a90fb3fe7783f2fe7245c99abb6
[]
no_license
Protezeusz/dynamic_lern
a44d83e0bf51844541f83ec6b5d7052896fe19e0
84b087c2441f68c585ba860f089f8d718a915daf
refs/heads/master
2021-01-01T13:56:11.012754
2020-02-10T13:18:55
2020-02-10T13:18:55
239,307,878
0
0
null
null
null
null
UTF-8
C++
false
false
465
h
fibonacci_dynamic.h
#ifndef FIBONACCI_DYNAMIC_H #define FIBONACCI_DYNAMIC_H #include <chrono> #include <vector> class Fibonacci_dynamic { public: Fibonacci_dynamic(); unsigned long long get_result(short n); long double get_time(); private: long double op_time = 0; unsigned long long r=0; std::vector<unsigned long long> v; void clear(); unsigned long long solve(short n); void get_new(unsigned long long n); }; #endif // FIBONACCI_DYNAMIC_H
3d7728534bce7570bf729f4b22ac0f01447f6867
6f84d2d3d45623ea2af7418f395c778ae9e2e238
/main1.cpp
2aa03fc817f62c77f702ec21128ae0d3d33d8bfa
[]
no_license
AngryAndry/patterns
1d7b14b762d460966f5f7cd6399f1602f6019ecc
6749da7b4b6471dffcae7a095ad52a29a6b54432
refs/heads/main
2023-08-11T13:32:45.921316
2021-09-28T10:58:34
2021-09-28T10:58:34
411,242,823
0
0
null
null
null
null
UTF-8
C++
false
false
7,351
cpp
main1.cpp
 /* * В экзаменационной работе реальзовал несколько паттернов: * 1 Строитель - используется для создания "дел" * 2 Адаптер - он переводит Case в строку и наоборот для сохранения\загрузки в фаил * 3 Команда - инкапсулирует данные приложения и дает возможность управления им * 4 Синглтон - заключенно само приложение класс "Application" * * * тестирование было проведино только методом "белого ящика" * так как на "черный "необходимо было бы прописовать огромное количество исключений * * */#include <iostream> #include <windows.h> #include "Application.h" #include "ICommand.h" int main() { SetConsoleCP(1251); SetConsoleOutputCP(1251); Invoker inv; cout << "****Планировщик задач****" << endl; cout << "Загрузить список дел с фаила?\n 1 - да , 0 - нет" << endl; int i = 0; string date; string tag; int priorite; string name; string clarification; string str; cin >> i; if (i) { inv.load(); } else { cout << "Введите название нового списка: "; cin.ignore(); cin.clear(); getline(cin, name); inv.creatList(name); cout << endl; } system("cls"); while (true) { cout << "Список дел:" << endl; inv.printAll(); size_t j = 0; size_t posList = 0; size_t z = 0; cout << "Меню:" << endl; cout << "0 - выбрать список" << endl; cout << "1 - добавить список" << endl; cout << "2 - удалить список" << endl; cout << "3 - сохранить все" << endl; cout << "4 - меню поиска" << endl; cout << "5 - выйти из приложения" << endl; cin >> j; system("cls"); switch (j) { case 0: inv.printAll(); cout << "Введите номер списка:" << endl; cin >> j; posList = j; inv.printList(j); cout << "0 - выбрать дело" << endl; cout << "1 - добавить дело" << endl; cout << "2 - удалить дело" << endl; cout << "3 - выход в главное меню" << endl; cin >> j; switch (j) { case 0: system("cls"); inv.printList(posList); cout << "Введите номер дела:" << endl; cin >> z; inv.printCase(posList - 1, z - 1); cout << "0 - изменить имя дела" << endl; cout << "1 - изменить тег дела" << endl; cout << "2 - изменить приоритет дела" << endl; cout << "3 - изменить дату дела" << endl; cout << "4 - изменить описание дела" << endl; cout << "5 - выход в главное меню" << endl; cin >> j; switch (j) { case 0: system("cls"); cout << "Введите новое имя" << endl; cin.ignore(); cin.clear(); getline(cin, str); inv.changeName(str, posList - 1, z - 1); break; case 1: system("cls"); cout << "Введите новый тег" << endl; cin.ignore(); cin.clear(); getline(cin, str); inv.changeTag(str, posList - 1, z - 1); break; case 2: system("cls"); cout << "Введите новый приоритет" << endl; cin.ignore(); cin.clear(); cin >> j; inv.changePriorite(j, posList - 1, z - 1); break; system("cls"); case 3: cout << "Введите новое описание" << endl; cin.ignore(); cin.clear(); getline(cin, str); inv.changeClarification(str, posList - 1, z - 1); break; default: break; } break; case 1: system("cls"); inv.printList(j); cin.ignore(); cin.clear(); cout << "\"-1\" - для отмены"<<endl; cout << "Введите имя нового дела: "; getline(cin, name); if (name == "-1") { break; } system("cls"); cout << "\"-1\" - для отмены"<<endl; cout << "Введите тег нового дела: "; getline(cin, tag); if (tag == "-1") { break; } system("cls"); cout << "\"-1\" - для отмены"<<endl; cout << "Введите приоритет нового дела: "; cin >> priorite; cin.ignore(); if (priorite == -1) { break; } cin.clear(); system("cls"); cout << "\"-1\" - для отмены"<<endl; cout << "Введите дату нового дела: "; getline(cin, date); if (date == "-1") { break; } system("cls"); cout << "\"-1\" - для отмены"<<endl; cout << "Введите описание нового дела: "; getline(cin, clarification); system("cls"); if (clarification == "-1") { break; } inv.creatCase(posList - 1, name, tag, priorite, date, clarification); system("cls"); cout << endl; break; case 2: system("cls"); inv.printList(posList); cout << "Удаление дела:" << endl; cout << "Введите номер дела:" << endl; cin >> z; inv.deleteCase(posList - 1, z - 1); break; case 3: break; default: break; } break; case 1: system("cls"); cout << "Введите название нового списка: "; cin.ignore(); cin.clear(); getline(cin, name); inv.creatList(name); cout << endl; break; case 2: system("cls"); inv.printAll(); cout << "Введите номер списка: "; cin >> j; inv.deleteList(j); break; case 3: inv.save(); break; case 4: system("cls"); cout << "Почему будет производиться поиск?" << endl; cout << "0 - имя дела" << endl; cout << "1 - тег дела" << endl; cout << "2 - приоритет дела" << endl; cout << "3 - дата дела" << endl; cout << "4 - выход в главное меню" << endl; cin >> j; switch (j) { case 1: system("cls"); cin.ignore(); cin.clear(); cout << "Введите тег: "; getline(cin, tag); inv.tagSearch(tag); break; case 2: system("cls"); cin.ignore(); cin.clear(); cout << "Введите приоритет: "; cin >> j; inv.prioriteSearch(j); break; case 0: system("cls"); cin.ignore(); cin.clear(); cout << "Введите имя: "; getline(cin, name); inv.nameSearch(name.append(" ")); break; case 3: system("cls"); cin.ignore(); cin.clear(); cout << "Введите дату: "; getline(cin, date); inv.dateSearch(date); break; case 4 : break; default: break; } break; case 5 : exit(0); } } return 0; }
101452d3d92fa1be9fe089d439dacbf12d62c679
120eb6e3eefd4083d719ab90ed288c88fcedfaed
/game/properties/AttackDef.cpp
c5d7471468973ae7d3a699ac09b3e654332cde07
[]
no_license
AspidT/Zerlight
b111d6c874033b1bccef1780d8479f216d0239b0
2fb6d713580f4b93217274ee8f655b5af0682a07
refs/heads/master
2020-04-18T18:59:39.029017
2019-01-28T16:47:29
2019-01-28T16:48:51
167,700,733
0
0
null
null
null
null
UTF-8
C++
false
false
891
cpp
AttackDef.cpp
// // Created by tatiana on 23.12.18. // #include "AttackDef.h" namespace properties { AttackDef::AttackDef() { } AttackDef::~AttackDef() { } bool AttackDef::isPhysicalAttack() const { if ((AttackType==game::AttackType::Swing) || (AttackType==game::AttackType::Thrust) || (AttackType==game::AttackType::HandToHand) || (AttackType==game::AttackType::Projectile)) return true; else return false; } bool AttackDef::isRangedAttack() const { if (AttackType==game::AttackType::Projectile) return true; else return false; } std::string AttackDef::damageString(const game::DamageType& damageType) { return "damage"; } std::string AttackDef::destroyString(const game::DamageType& damageType) { return "destroy"; } }
03698624cdc41a76f9d26b3cda27188ba8a6b510
f768967fcb2469d14cf63ec808d57385719ef72d
/module03/ex01/ScavTrap.cpp
851e346123112fc3429be8112e149cd13aaf375c
[]
no_license
qfeuilla/42PiscineCPP
8dfe1f2a243d3ec945126f039146cf7088c167e8
9967ea8df9746b5497b3039d0c604f1650948d57
refs/heads/master
2022-12-12T02:35:05.437998
2020-09-02T09:38:19
2020-09-02T09:38:19
291,027,773
0
0
null
null
null
null
UTF-8
C++
false
false
2,504
cpp
ScavTrap.cpp
/* ************************************************************************** */ /* */ /* ::: :::::::: */ /* ScavTrap.cpp :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: qfeuilla <qfeuilla@student.42.fr> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2019/11/29 13:31:26 by qfeuilla #+# #+# */ /* Updated: 2020/02/10 09:44:25 by qfeuilla ### ########.fr */ /* */ /* ************************************************************************** */ #include "ScavTrap.hpp" ScavTrap::ScavTrap(std::string name) : name(name) { std::cout << "Ready to kick some a**" << std::endl; hitPoint = 100; energyPoints = 50; level = 1; meleeDam = 20; rangedDam = 15; armor = 3; } ScavTrap::~ScavTrap() { std::cout << name << ": Time to go" << std::endl; } void ScavTrap::rangedAttack(std::string const & target) { std::cout << "FR4G-T " << name << " attacks " << target << " at range, causing " << rangedDam << " points of damage !" << std::endl; } void ScavTrap::meleeAttack(std::string const & target) { std::cout << "FR4G-T " << name << " attacks " << target << " at melee, causing " << meleeDam << " points of damage !" << std::endl; } void ScavTrap::takeDamage(unsigned int amount) { if (hitPoint + (int)armor - (int)amount <= 0) { if (hitPoint != 0) std::cout << "i'm leaving now" << std::endl; hitPoint = 0; } else hitPoint -= ((int)amount - (int)armor); } void ScavTrap::beRepaired(unsigned int amount) { if (hitPoint + amount > maxHit) hitPoint = maxHit; else hitPoint += amount; std::cout << "Heal Yeah !" << std::endl; } void ScavTrap::challengeNewcomer(std::string const & target) { std::srand(time(0)); std::string challenge[5] = {"ice Bucket challenge", "jumping from golden gate", "bottle flip", "head or tail", "Where is Charly"}; std::cout << name << " Challenge " << target << " on : " << challenge[std::rand() % 5] << std::endl; } const int ScavTrap::maxEnergy = 50; const int ScavTrap::maxHit = 100;
204c6e844eab3a63cf88c274ac5cb3643b99bcf1
bd933e89b2520c8eae9b52123358f23ea89c8a77
/hw2/csvt32745/q2/_vector.cpp
a879f813bccbd15df61e21ef0b30efd157438822
[]
no_license
yungyuc/nsdhw_20sp
54609627c8aa1ae45865ad8e1972d17ab40483e6
5dce6df707f89e06267800f3fd549a1c2bd1f22e
refs/heads/master
2020-12-01T19:44:48.184338
2020-06-16T06:45:11
2020-06-16T06:45:11
230,746,067
1
18
null
2020-06-21T08:41:55
2019-12-29T12:18:17
C++
UTF-8
C++
false
false
645
cpp
_vector.cpp
#include <pybind11/pybind11.h> #include <pybind11/stl.h> #include <iostream> #include <vector> #include <cmath> #include "float.h" namespace py = pybind11; float radian_between_2dvecs(std::array<float, 2> vecA, std::array<float, 2> vecB) { float a = vecA[0]*vecA[0] + vecA[1]*vecA[1]; float b = vecB[0]*vecB[0] + vecB[1]*vecB[1]; if(a < FLT_MIN || b < FLT_MIN) return 0.0; float d = (vecA[0]*vecB[0] + vecA[1]*vecB[1])/sqrt(a*b); return acos(d); } PYBIND11_MODULE(_vector, m) { m.def("radian_between_2dvecs", &radian_between_2dvecs, "Calculate radians between 2 vectors with 2-dim"); }
1ae1fb7a5a126769288f2bd45d3a423928940d4f
878e853c0652b50f063a458ae10c2a40f0e211db
/Gra.h
425c37b281f6d3345d5201f06e0c8d2333601513
[]
no_license
tomekl007/monopoly
6252498bddcb86f3ec335ea643a56ede5bd51265
9446d485e5e6696e7f3c71f595f626a0bfd0038b
refs/heads/master
2021-01-25T05:16:31.012563
2013-01-12T15:27:12
2013-01-12T15:27:12
7,576,777
1
0
null
null
null
null
UTF-8
C++
false
false
6,238
h
Gra.h
#ifndef Gra_h #define Gra_h #include <iostream> #include <string> using std::string; using std::cout; using std::endl; using std::cin; class Gracz; class Komplet; class Pionek; class PoleWlasnosc; class KompletPol; class GraPlanszowa; ///klasa gracz, obiekt tej klasy to bedzie nowy gracz wchodzacy do gry class Gracz { string kolor; public: int stanKonta; string nazwa; int pionek; ///najwazniejszy skladnik tej klasy to Gracz::pionek , bedzie odpowiedzialny za poruszanie sie po obiekcie klasy GraPlanszowa Gracz(string n, int stan, string k, int licznik) ; ///konstruktor ktory bedzie potrzebny do tworzenia obiektu o garcz ktorego skladowa nazwa = "pusty" Gracz(string n); ///konstruktor kopiujacy Gracz(const Gracz & obj); }; class Pole { protected: string opis; public: ///virtualna funkcja na ktorej opiera sie cala gra, dzieki niej chodzac po oiekcie klasy GraPlanszowa, ktrory przechowuje wskazniki do obiektow ///Pole, bedzie wywolywana odpowiednia wersja funkcji Pole::obsluzPostoj, z klas pochodnych, od klasy POle dzieki mechanizmowi polimorfizmu virtual void obsluzPostoj(Gracz & odwiedzajacy, GraPlanszowa & gra); public: string nazwa; Pole(string Nazwa,string Opis); }; class PolePodatkowe : public Pole { int kwotaPodatku; public: PolePodatkowe(string n, string o, int kp); ///fucnkaj obsluz postoj z obiektu PolePo podatkowe, bedzie odejmowala ze skladowej obiektu GRacz, odpowiednia wartosc ze stanu konta danego Gracza, na rzecz ///ktorego zostala wywoalna funkcja obsluz postoj void obsluzPostoj(Gracz & odwiedzajacy, GraPlanszowa & gra); }; ///obiekty kklasy karta beda losowane przez funkcje oblsuzPostoj z obiektu klasy PoleSzansyRyzyka, ktorego skladowa jest obiekt klasy Talia, ktorego skladowa sa ///obiekty klasy Krata (dowolna ilosc) class Karta { int efekt; public: string opis; Karta(string o, int e); friend class PoleSzansyRyzyka; }; class Talia { public: Karta* wsk[5]; ///kontruktor Talia::Talia kopiuje do tablicy wskaznikow wsk zwartej w obiektcie klasy Talia, odpowiednia ilosc wskaznikow na obiekty klasy Karta Talia( Karta* adres[] ); //odbieram tablice Karta* adres[] ///konstruktor kopiujacy robi to samo co kontstruktor poprzedni, z tym ze dostaje obiekt klasy Talia, ktory zawiera juz wskazniki na obiekty klasy Karta Talia( const Talia & obj); }; class PoleSzansyRyzyka : public Pole { int ileJestKart; public: Talia doGry ; PoleSzansyRyzyka(string n, string o, int ile, Talia & tal); ///losuje obiekt klasy Karta, z obiketu klasy Talia, i wywoluje jego dzialanie na obiekcie klasy gracz, na rzecz ktorego zostala wywoalna funkcja oblsuz postoj virtual void obsluzPostoj(Gracz & odwiedzajacy, GraPlanszowa & gra); }; ///prosta klasa ktorej glowna skladowa to funkcja rzuc class Kostka { string nazwa; public: ///zwraca ona liczbe wylosowanom z zadanego przedzialu, na rzecz tego programu jest to tylko przedzial 1-2 int rzuc(); Kostka(string n); }; class GraPlanszowa { public: Pole* Gra[40]; ///tu beda przechowywane adresy do obiektow Pole ///konstruktor ktory jako argument przyjmuje tablice wskaznikow do obiektow klasy Pole ///kontruktor kopiuje je, do tablicy o nazwie GraPlanszowa::Gra GraPlanszowa ( Pole* zrodlo[] ) ; ///funkcja ktora zwraca wskaznik na obiekt klasy Pole przechowywany w tablicy GraPLanszowa::Gra na zadanym indeksie tej tablicy ///bedzie uzywana przez funckje obsluzPostoj z klas pochcodnych od Pole Pole* getKtoJestWlascicielem(int nrPola); /* Gra[0] = &rzym; 1 = &neapol; 2 = &podatek1; 3 = &mediolan; 4 = &poludniowa; 5 = &szansa1 6 = &zachodnia; 7 = &polnocna;*/ }; class PoleWlasnosc : public Pole { protected: int cena; bool czyOddaneWZastaw; int koszPostoju; public: Gracz wlasciciel; ///konstruktr ktory dostaje wiele argumentow, w tym wl - nazwa wlasciciela, ktra w momencie tworzenia obiektu bedzie "pusta" ///kosntrukttor ten uruchmi komnstruktor klasy Gracz(), i zainicjalizuje skladowa PoleWlasnosc::wlasciciel obiektem utworzonym przez ten konstruktor ///string opis i nazwa, zostana przekazane do konstruktora "wyzej" (czyli obiektu kalasy Pple od ktorego dziedziczy klasa PoleWlasnosc) PoleWlasnosc(int c, bool Zastaw, int Postoj, string nazwa, string opis, string wl); int getKoszPostoju(); bool getCzyOddaneWZastaw(); int getCena(); ///bardzo rozbudowana funkjca obsluzPostoj ktora bedzie uruchomiana na rzecz obiektu klasy Gracz, ktory "odwiedza to pole" void obsluzPostoj(Gracz & odwiedzajacy, GraPlanszowa & gra); }; class PoleDoZabudowy : public PoleWlasnosc { protected: int PoziomZabudowy; int cenaRozbudowy; int oplata1Domek; int oplata2Domki; int oplata3Domki; int oplata4Domki; int oplataHotel; ///funkcja rozbuduj ktora bedzie uruchomiana, jesli gracz na rzecz ktorego zostala wywolana funkcja PoleDoZabudowy::ObsluzPostoj ///jest wlascicielem calego panstwa -> moze on wiec budowac nieruchomosci na tym("this") obiekcie void rozbuduj(); void sprzedajPoziomZabudowy(); public: ///kpnstruktor, ktory przekazuje "wyzej"(tj. do klas od ktorych dziedziczy) int cena, bool czyOddaneWZastaw, int koszPostoju, n ,o, wl->do konstutktora obieku PoleWlasnosc::PoleWlasnosc ///tenze konstruktor przekazuje znow wyzej : do konstruktora Pole::Pole n,o, -> nazwa, i opis tworzonego obiektu klasy Pole PoleDoZabudowy(string n, string o, int cena, bool czyOddaneWZastaw, int koszPostoju, int poziom, int cenarozbudowy, string wl,int a,int b,int c, int d, int e ); ///funckja ta rozni sie od PoleWlasnosc::obsluzPostoj tym ze jest poszerzona o oblsuge sytuacji w ktorej gracz na rzecz ktorego zostala wywolana funkcja PoleDoZabudowy::ObsluzPostoj ///jest wlascicielem calego panstwa -> moze on wiec budowac nieruchomosci na tym("this") obiekcie void obsluzPostoj(Gracz & odwiedzajacy, GraPlanszowa & gra); }; class Kolej : public PoleWlasnosc { public: ///konstruktor obiektu klasy Kolej, podobne dzialanie do PoleDoZabudowy::PoleDoZabudowy Kolej(string n, string o, int cena, bool czyOddaneWZastaw, int koszPostoju, string wl); }; #endif
4c3ca776da92587464ae635dfc8378ee95d287bb
6ed1e7095055c6cdd6f2f36d91599e09db4a6a23
/Localspacetouch/Source/Localspacetouch/Private/LSActor.cpp
778e26be22fcc3522c3e19914a51868e1dca757b
[]
no_license
liupanfengfreedom/Localspacetouch
66090ecd1a2a98f123e4e1cbea338a7a99318712
f207f865d000d57d4d309cb537d5216aaa16c921
refs/heads/master
2023-01-13T01:54:35.040184
2020-11-20T03:33:43
2020-11-20T03:33:43
313,541,901
0
0
null
null
null
null
UTF-8
C++
false
false
3,760
cpp
LSActor.cpp
// Fill out your copyright notice in the Description page of Project Settings. #include "LSActor.h" #include "MobileTouchActorComponent.h" #include "Engine.h" #include "Components/StaticMeshComponent.h" #include "UObject/ConstructorHelpers.h" #include "Components/SceneComponent.h" #include "Kismet/KismetMathLibrary.h" // Sets default values ALSActor::ALSActor() { // Set this actor to call Tick() every frame. You can turn this off to improve performance if you don't need it. //StaticMesh'/Engine/BasicShapes/Plane.Plane' static ConstructorHelpers::FObjectFinder<UStaticMesh> planemesh(TEXT("StaticMesh'/Engine/BasicShapes/Plane.Plane'")); PrimaryActorTick.bCanEverTick = true; defaultroot = CreateDefaultSubobject<USceneComponent>(TEXT("defaultroot")); defaultroot->SetupAttachment(RootComponent); Localcoord = CreateDefaultSubobject<UStaticMeshComponent>(TEXT("Localcoord")); Localcoord->SetupAttachment(defaultroot); Localcoord->SetRelativeLocation(FVector(0)); Localcoord->SetRelativeRotation(FRotator(0)); Localcoord->SetAbsolute(false, true, false); Localcoord->SetStaticMesh(planemesh.Object); Localcoord->SetCollisionProfileName("BlockAll"); Localcoord->SetCollisionObjectType(ECollisionChannel::ECC_Destructible); Localcoord->SetWorldScale3D(FVector(100)); Localcoord->SetVisibility(false); follower = CreateDefaultSubobject<USceneComponent>(TEXT("follower")); follower->SetupAttachment(Localcoord); follower->SetRelativeLocation(FVector(0)); follower->SetRelativeRotation(FRotator(0)); } // Called when the game starts or when spawned void ALSActor::BeginPlay() { Super::BeginPlay(); objts.Add(EObjectTypeQuery::ObjectTypeQuery6); mMobileTouchcom = NewObject<UMobileTouchActorComponent>(); mMobileTouchcom->OnTouch1PressedEvent.BindLambda([=](FVector vector) { check(puppet); bool b = GetWorld()->GetFirstPlayerController()->GetHitResultUnderCursorForObjects(objts, true, hitresult); if (b) { bshouldmove = true; FVector hpr = hitresult.ImpactPoint - GetActorLocation();//the relative position to the Localcoord hpr.Z = 0; FVector dir = puppet->GetActorForwardVector(); dir.Z = 0; follower->SetRelativeLocation(hpr-(dir*5)); follower->SetWorldRotation(puppet->GetActorRotation()); } }); mMobileTouchcom->OnTouch1ReleasedEvent.BindLambda([=](FVector vector) { bshouldmove = false; }); mMobileTouchcom->OnFingerTouch1MovedEvent.BindLambda([=](FVector deltaposition) { onchangespeedevent.Broadcast(deltaposition.Size()); //GEngine->AddOnScreenDebugMessage(-1, 5.0f, FColor::Yellow, FString::FromInt(deltaposition.Size())); } ); } // Called every frame void ALSActor::Tick(float DeltaTime) { Super::Tick(DeltaTime); if (bshouldmove) { bool b = GetWorld()->GetFirstPlayerController()->GetHitResultUnderCursorForObjects(objts, true, hitresult); if (!b) { return; } FTransform transform = follower->GetRelativeTransform(); FVector hpr = hitresult.ImpactPoint - GetActorLocation();//the relative position to the Localcoord float dis = FVector::Dist(hpr, transform.GetLocation()); #define keepdis 2 if (dis > keepdis) { float factor = UKismetMathLibrary::FClamp(dis - keepdis, 0, 999999); FRotator rotator = UKismetMathLibrary::FindLookAtRotation(transform.GetLocation(), hpr); FRotator currentrotator = UKismetMathLibrary::RLerp( transform.Rotator(), rotator, 0.9f, true ); follower->SetRelativeRotation(currentrotator); FVector direction = follower->GetForwardVector(); follower->AddWorldOffset(direction * factor); currentrotator.Roll = 0; currentrotator.Pitch = 0; puppet->SetActorRotation(currentrotator); //GEngine->AddOnScreenDebugMessage(-1, 2.0f, FColor::Yellow, FString::FromInt(dis)); } } }
7321f6b3067c2ba7f846549b77f2050396aa88bf
d33ebe324818f711d482410f87a1f692a99037f9
/tools/fastdef.h
cf598d7d545a1b3c5f2d6e9bf9402f5537156957
[]
no_license
xiazt/Virtual-Endoscopy
3cd1791696270ae1e0f1a7fee6dbcfd6391e1d6b
604194d9de6ca7d652f55c6634494da7a3209ce6
refs/heads/master
2020-03-28T23:19:00.797582
2016-05-20T03:13:48
2016-05-20T03:13:48
null
0
0
null
null
null
null
UTF-8
C++
false
false
498
h
fastdef.h
#ifndef FASTDEF_H #define FASTDEF_H # include <vtkSmartPointer.h> # include "initials.h" #define Instantiate(obj,class) vtkSmartPointer<class> obj = vtkSmartPointer<class>::New(); //#define vsp(class,var) \ // vtkSmartPointer<class> tmpvar = vtkSmartPointer<class>::New(); \ // var = tmpvar; template <typename T> inline void vsp(vtkSmartPointer<T> &var) { vtkSmartPointer<T> temp = vtkSmartPointer<T>::New(); var = temp; } struct Point3f { double x, y, z; }; #endif // FASTDEF_H
2cca3eb4bc5ae17d52cbc2ee164bb4a5fe508aa6
d2e5a604f7405c0f665456b75d100a9f6fee3b91
/removeDuplicatesSortedArr/t.cpp
1b86e82d99985cfec647b15e763b4f9ff000433f
[]
no_license
verif/leetcode
d7346d74131659663087362212566e812ba248cc
3684012b5a65d1328688a5429293a0ec9cad7ddc
refs/heads/master
2021-01-19T13:25:32.383453
2015-11-04T07:23:55
2015-11-04T07:23:55
22,996,713
0
0
null
null
null
null
UTF-8
C++
false
false
1,081
cpp
t.cpp
/* Follow up for "Remove Duplicates": What if duplicates are allowed at most twice? For example, Given sorted array A = [1,1,1,2,2,3], Your function should return length = 5, and A is now [1,1,2,2,3]. */ #include <iostream> using namespace std; class Solution { public: int removeDuplicates(int A[], int n) { if (n < 3) return n; int ret = n; int idx = 0; int i = 0; while (i < n) { int cnt = 0; int j; for (j = i; j < n; j++) { if (A[i] != A[j]) break; if (j != idx) { A[idx] = A[j]; } cnt++; if (cnt < 3) idx++; } if (cnt > 2) ret -= (cnt-2); i = j; } return ret; } }; int main() { Solution s; int A[] = {1, 1, 1, 2, 2, 3}; int ret; ret = s.removeDuplicates(A, 6); cout << ret << endl; for (int i = 0; i < ret; i++) { cout << A[i] << ","; } cout << endl; }
38967e9a93a21c8ca73678219bd6f698332b023c
cb1fdf09ca9784b93f60f60b719085e4b258f6ee
/fixture2.h
6c279e34605d3c8c9b8898f8f1ac7339d4335a73
[]
no_license
bekiS/SkuskaOsg
12da8f5585c2ecbbd04e23cd6326003f361cc685
c8f6d187efd141be8a765dc26260f5e41559a7f6
refs/heads/master
2016-09-05T14:57:47.318391
2015-05-04T06:29:54
2015-05-04T06:29:54
30,609,189
0
0
null
null
null
null
UTF-8
C++
false
false
2,084
h
fixture2.h
#ifndef FIXTURE2_H #define FIXTURE2_H #include <osg/Geode> #include <osg/Geometry> #include <osgManipulator/TranslateAxisDragger> #include <osgManipulator/TrackballDragger> class Fixture2 { public: Fixture2(); osg::ref_ptr<osg::MatrixTransform> getFixture(){ return _transG; } osg::ref_ptr<osg::Drawable> getDrawable() {return _pyramidGeode->getDrawable(0); } // osg::ref_ptr<osg::Geode> getPyramid(){ return _pyramidGeode; } void changeColor(osg::Vec3 colorValue, bool overwrite = 1 ); void changeOpacity( float opacityValue, bool overwrite = 1 ); void setDraggerGVisibility(bool visible); void setDraggerRVisibility(bool visible); osg::Vec4 getColor() const { return _colors->operator [](0); } osg::Vec4 getPosition() const { return osg::Vec4(_transG->getMatrix().getTrans(), 1.0); } osg::Vec4 getAttenuation() const { return osg::Vec4(.1, 0.0, 0.0, 1.0); } osg::Vec4 getSpot_dir() const; osg::Vec4 getSpot_param() const { return osg::Vec4(0, 1.15, 0.0, 1.0); } private: osg::ref_ptr<osg::Vec4Array> _colors; osg::ref_ptr<osg::Geode> _pyramidGeode; osg::ref_ptr<osg::MatrixTransform> _transG; osg::ref_ptr<osg::MatrixTransform> _transR; osg::ref_ptr<osg::MatrixTransform> _transQLC; osg::ref_ptr<osgManipulator::TranslateAxisDragger> _draggerG; osg::ref_ptr<osgManipulator::TrackballDragger> _draggerR; bool _visibleG; bool _visibleR; // const int LIGHT_COUNT = %s; // const int LIGHT_SIZE = %s; // const int AMBIENT = 0; -bude mat len jedno vseobecne svetlo // const int DIFFUSE = 01; diff a spec su rovnake // const int SPECULAR = 0; // const int POSITION = 1; // const int ATTENUATION = 2; // //SPOT_PARAMS [ cos_spot_cutoff, spot_exponent, ignored, is_spot ] // const int SPOT_PARAMS = 3; // const int SPOT_DIR = 4; // osg::Vec4 _color; 0 osg::Vec4 _position; //malo by sa zistit z polohy 1 // osg::Vec4 _attenuation;2 osg::Vec4 _spot_dir; //3 osg::Vec4 _spot_param; //4 float cos_spot_cutoff; }; #endif // FIXTURE2_H
32510639f3b9538e5966913c359551bd045cbe9d
e0904d35f0b89fed8ebdeb6e08864c0208006954
/MeshLib/MeshSearch/ElementSearch.h
49aa0ef3a0f76aa7cb5decb1926c2634db9fa9c9
[ "BSD-3-Clause", "BSD-2-Clause" ]
permissive
ufz/ogs
e3f7b203ac960eeed81c3ad20e743b2ee2f4753e
073d0b9820efa5149578259c0137999a511cfb4f
refs/heads/master
2023-08-31T07:09:48.929090
2023-08-30T09:24:09
2023-08-30T09:24:09
1,701,384
125
259
BSD-3-Clause
2021-04-22T03:28:27
2011-05-04T14:09:57
C++
UTF-8
C++
false
false
5,109
h
ElementSearch.h
/** * \file * \copyright * Copyright (c) 2012-2023, OpenGeoSys Community (http://www.opengeosys.org) * Distributed under a Modified BSD License. * See accompanying file LICENSE.txt or * http://www.opengeosys.org/project/license * */ #pragma once #include <limits> #include <vector> #include "GeoLib/AABB.h" #include "MeshLib/Mesh.h" #include "MeshLib/MeshEnums.h" namespace MeshLib { // forward declarations class Mesh; class Element; /// Element search class class ElementSearch final { public: explicit ElementSearch(const MeshLib::Mesh &mesh); /// return marked elements const std::vector<std::size_t>& getSearchedElementIDs() const { return _marked_elements; } /// @tparam PROPERTY_TYPE type of the property /// Different properties can be assigned to the elements of the mesh. These /// properties can be accessed by the name of the property. The method marks /// all elements of the mesh for the property \c property_name with a /// property value equal to \c property_value. /// @param property_name the name of the property the searching/marking is /// based on /// @param property_value value required for the element to be marked /// @return The number of marked elements will be returned. The concrete /// element ids can be requested by getSearchedElementIDs(). template <typename PROPERTY_TYPE> std::size_t searchByPropertyValue(std::string const& property_name, PROPERTY_TYPE const property_value) { return searchByPropertyValueRange<PROPERTY_TYPE>( property_name, property_value, property_value, false); } /// @tparam PROPERTY_TYPE type of the property /// Different properties can be assigned to the elements of the mesh. These /// properties can be accessed by the name of the property. The method marks /// all elements of the mesh for the property \c property_name with a /// property value outside of the interval [min_property_value, /// max_property_value]. /// @param property_name the name of the property the searching/marking is /// based on /// @param min_property_value minimum value of the given property for the /// element not to be marked /// @param max_property_value maximum value of the given property for the /// element not to be marked /// @param outside_of if true, all values outside of the given range are /// marked, if false, all values inside the given range are marked /// @return The number of marked elements will be returned. The concrete /// element ids can be requested by getSearchedElementIDs(). template <typename PROPERTY_TYPE> std::size_t searchByPropertyValueRange( std::string const& property_name, PROPERTY_TYPE const min_property_value, PROPERTY_TYPE const max_property_value, bool outside_of) { MeshLib::PropertyVector<PROPERTY_TYPE> const* pv = nullptr; try { pv = _mesh.getProperties().getPropertyVector<PROPERTY_TYPE>( property_name, MeshLib::MeshItemType::Cell, 1); } catch (std::runtime_error const& e) { ERR("{:s}", e.what()); WARN( "Value-based element removal currently only works for " "scalars."); return 0; } std::vector<std::size_t> matchedIDs; if (outside_of) { for (std::size_t i(0); i < pv->getNumberOfTuples(); ++i) { if ((*pv)[i] < min_property_value || (*pv)[i] > max_property_value) { matchedIDs.push_back(i); } } } else { for (std::size_t i(0); i < pv->getNumberOfTuples(); ++i) { if ((*pv)[i] >= min_property_value && (*pv)[i] <= max_property_value) { matchedIDs.push_back(i); } } } updateUnion(matchedIDs); return matchedIDs.size(); } /// Marks all elements of the given element type. std::size_t searchByElementType(MeshElemType eleType); /// Marks all elements with a volume smaller than eps. std::size_t searchByContent(double eps = std::numeric_limits<double>::epsilon()); /// Marks all elements with at least one node outside the bounding box spanned by x1 and x2; std::size_t searchByBoundingBox(GeoLib::AABB const& aabb); /// Marks all elements connecting to any of the given nodes std::size_t searchByNodeIDs(const std::vector<std::size_t>& nodes); private: /// Updates the vector of marked elements with values from vec. void updateUnion(const std::vector<std::size_t> &vec); /// The mesh from which elements should be removed. const MeshLib::Mesh &_mesh; /// The vector of element indices that should be removed. std::vector<std::size_t> _marked_elements; }; } // end namespace MeshLib
1457fe791d2d83c2d8cfad2e5844cc752c0763e9
9eaa698f624abd80019ac7e3c53304950daa66ba
/ui/widgets/talkwidget.cpp
8f0ff420c52660997ac67683d49f6fe9ac078229
[]
no_license
gan7488/happ-talk-jchat
8f2e3f1437a683ec16d3bc4d0d36e409df088a94
182cec6e496401b4ea8f108fb711b05a775232b4
refs/heads/master
2021-01-10T11:14:23.607688
2011-05-17T17:30:57
2011-05-17T17:30:57
52,271,940
0
0
null
null
null
null
UTF-8
C++
false
false
2,719
cpp
talkwidget.cpp
/****************************************************************************** ** Author: Svirskiy Sergey Nickname: Happ ******************************************************************************/ #include "talkwidget.h" #include "messagewidget.h" #include <QtGui> TalkWidget::TalkWidget(QWidget *parent, QWidget *info) : QWidget(parent) { this->info = info; createElements(); layoutElements(); } void TalkWidget::messageReceived(const QString &msg) { if (!msg.isNull() && !msg.isEmpty()) story->append(QString("(%1)%2: %3").arg(QTime::currentTime().toString()).arg(QString::fromStdString(m_jid.username())).arg(msg)); } void TalkWidget::sendMessage() { story->append(QString("(%1)I: %2").arg(QTime::currentTime().toString()).arg(message->toPlainText())); emit sendMessage(m_jid, message->toPlainText()); message->clear(); } void TalkWidget::createElements() { story = new QTextEdit(); story->setReadOnly(true); message = new MessageWidget(); message->setFixedHeight(70); connect(message, SIGNAL(accepted()), this, SLOT(sendMessage())); bold = new QPushButton(tr("B")); bold->setEnabled(false); bold->setCheckable(true); bold->setFixedSize(25, 25); italic = new QPushButton(tr("I")); italic->setEnabled(false); italic->setCheckable(true); italic->setFixedSize(25, 25); underline = new QPushButton(tr("U")); underline->setEnabled(false); underline->setCheckable(true); underline->setFixedSize(25, 25); strikeout = new QPushButton(tr("-")); strikeout->setEnabled(false); strikeout->setCheckable(true); strikeout->setFixedSize(25,25); fontSize = new QPushButton("Size"); fontSize->setEnabled(false); fontSize->setFixedSize(60, 25); send = new QPushButton(tr("Send")); send->setFixedSize(70, 70); connect(send, SIGNAL(clicked()), this, SLOT(sendMessage())); } void TalkWidget::layoutElements() { QHBoxLayout *hLayout1 = new QHBoxLayout(); hLayout1->addWidget(bold); hLayout1->addWidget(italic); hLayout1->addWidget(underline); hLayout1->addWidget(strikeout); hLayout1->addSpacing(5); hLayout1->addWidget(fontSize); hLayout1->addStretch(); QHBoxLayout *hLayout2 = new QHBoxLayout(); hLayout2->addWidget(message); hLayout2->addWidget(send); QVBoxLayout *vLayout = new QVBoxLayout(); vLayout->addWidget(story); vLayout->addLayout(hLayout1); vLayout->addLayout(hLayout2); if (info == 0) { this->setLayout(vLayout); return; } QHBoxLayout *layout = new QHBoxLayout(); layout->addLayout(vLayout, 4); layout->addWidget(info, 1); this->setLayout(layout); }
c8eaf0353b8a4570fd5af4774a7124d5ae63816e
ba11c8c6d48edc57e2ca0c5624ee2d1990a51102
/practice/1359/5.cpp
084d54d49b04ee14b28101e606568f207b03422c
[]
no_license
vishu-garg/competetive-programming
5cf7c2fc4d0b326965004d94e9c8697639c04ec3
7f9a6a63372af0c63a1fea6e9aae952a34bc849c
refs/heads/master
2021-07-11T14:47:13.459346
2020-08-10T13:52:30
2020-08-10T13:52:30
189,592,039
0
0
null
null
null
null
UTF-8
C++
false
false
2,733
cpp
5.cpp
#include<bits/stdc++.h> #include<algorithm> using namespace std; #define ll long long #define ld long double #define rep(i,a,b) for(ll i=a;i<b;i++) #define repb(i,a,b) for(ll i=a;i>=b;i--) #define err() cout<<"=================================="<<endl; #define errA(A) for(auto i:A) cout<<i<<" ";cout<<endl; #define err1(a) cout<<#a<<" "<<a<<endl #define err2(a,b) cout<<#a<<" "<<a<<" "<<#b<<" "<<b<<endl #define err3(a,b,c) cout<<#a<<" "<<a<<" "<<#b<<" "<<b<<" "<<#c<<" "<<c<<endl #define err4(a,b,c,d) cout<<#a<<" "<<a<<" "<<#b<<" "<<b<<" "<<#c<<" "<<c<<" "<<#d<<" "<<d<<endl #define pb push_back #define all(A) A.begin(),A.end() #define allr(A) A.rbegin(),A.rend() #define ft first #define sd second #define pll pair<ll,ll> #define V vector<ll> #define S set<ll> #define VV vector<V> #define Vpll vector<pll> #define endl "\n" const ll logN = 20; const ll N=100005; const ll M = 998244353; const ll INF = 1e12; #define PI 3.14159265 #define fast ios_base::sync_with_stdio(false);cin.tie(NULL);cout.tie(NULL) ll pow1(ll a,ll b){ ll res=1; while(b>0){ if(b&1){ res=(res*a)%M; } a=(a*a)%M; b>>=1; } return res%M; } // struct segtree{ // ll x,y; // ll tree[4*N]; // void build_tree(vector<ll>&v , ll ind,ll l, ll r) // { // if(l==r) // { // tree[ind]=v[l]; // return; // } // ll mid=(l+r)/2; // build_tree(v,2*ind,l,mid); // build_tree(v,2*ind+1,mid+1,r); // tree[ind]=max(tree[2*ind],tree[2*ind+1]); // } // ll query(ll ind, ll l, ll r) // { // // cout<<l<<" "<<r<<" "<<endl; // if(x>r || y<l)return -LLONG_MAX; // if(l>=x && r<=y)return tree[ind]; // ll mid=(l+r)/2; // return max(query(2*ind,l,mid),query(2*ind+1,mid+1,r)); // } // }obj; ll fact[5*N]; int main() { fast; ll T=1; fact[0]=1; fact[1]=1; rep(i,2,5*N) { fact[i]=(i*fact[i-1])%M; } // cin>>T; while(T--) { ll n,k; cin>>n>>k; ll ans=0; ll t=1; ll cur=(((n/t)*(t))-(k*t)); while(cur>=0) { // cout<<t<<" "<<cur/t<<"<----"<<endl; ll tmp=cur/t; tmp+=1; // tmp=(tmp*(tmp+1))/2; // tmp%=M; // ans+=tmp; // ans%=M; ll l1=tmp+k-2; ll l2=k-1; // cout<<l1<<" "<<l2<<endl; ll tmp1=(pow1(fact[l2],M-2)*pow1(fact[l1-l2],M-2))%M; tmp1=(tmp1*fact[l1])%M; ans+=tmp1; ans%=M; t++; cur=(((n/t)*(t))-(k*t)); } cout<<ans<<endl; } }
7ee8071122f5804b8c919f3057194f844f902922
577aeed5f1cf0d6f632d9586e25984b1b67b18cc
/src/Superficies/Grilla.cpp
c3030e02153f8aeb33cce232c43c1cd1d9aedae0
[]
no_license
jorgeCollinet/fiuba-tp-sistemas-graficos-2013
508a8675e84027acfc534cd96f520085b7afc3e2
3cccb92d84fa51751d3529f60e78d7b2f9d4b301
refs/heads/master
2021-05-28T21:08:47.918958
2013-12-20T17:25:46
2013-12-20T17:25:46
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,638
cpp
Grilla.cpp
#include "Grilla.h" GLenum Grilla::MODO = GL_LINES; Grilla::Grilla (myWindow* passed_window, int size) : Superficie (passed_window) { this->modo = Grilla::MODO; this->vertex_buffer_size = 12*(2*size +1); this->vertex_buffer = new GLfloat[this->vertex_buffer_size]; this->normal_buffer_size = this->vertex_buffer_size; this->normal_buffer = new GLfloat[this->normal_buffer_size]; this->index_buffer_size = 4*(2*size +1); this->index_buffer = new GLuint[this->index_buffer_size]; int offset; for (int i=0; i<size; i++) { offset = 24*i; this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = i+1; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = i+1; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = -(i+1); this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = -(i+1); this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = i+1; this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = i+1; this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = -(i+1); this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = -(i+1); this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = 0; } offset = 24 * size; this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = -size; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = 0; this->vertex_buffer[offset++] = size; this->vertex_buffer[offset++] = 0; for (unsigned int i=0; i< this->index_buffer_size; i++) { this->index_buffer[i] = i; } for (unsigned int j = 0; j < (this->normal_buffer_size - 2); j++) { this->normal_buffer[j] = 0.0; this->normal_buffer[j+1] = 0.0; this->normal_buffer[j+1] = 1.0; } } Grilla::~Grilla () { delete[] this->vertex_buffer; delete[] this->normal_buffer; delete[] this->index_buffer; }
c2dfe1c66ed9902ffde83aa817483f2263391dc8
f950882940764ace71e51a1512c16a5ac3bc47bc
/src/EmbDB/EmbDB/DB/BTreePlus/spatial/Point/PointSpatialInnerCompress.h
54bb4ade6a874bed0cd3e763d5ad6c35d17e2e82
[]
no_license
ViacheslavN/GIS
3291a5685b171dc98f6e82595dccc9f235e67bdf
e81b964b866954de9db6ee6977bbdf6635e79200
refs/heads/master
2021-01-23T19:45:24.548502
2018-03-12T09:55:02
2018-03-12T09:55:02
22,220,159
2
0
null
null
null
null
UTF-8
C++
false
false
6,431
h
PointSpatialInnerCompress.h
#ifndef _EMBEDDED_DATABASE_SPATIAL_POINT_BTREE_PLUS_INNER_NODE_COMPRESSOR_H_ #define _EMBEDDED_DATABASE_SPATIAL_POINT_BTREE_PLUS_INNER_NODE_COMPRESSOR_H_ #include "CommonLibrary/FixedMemoryStream.h" #include "../../../../CompressorParams.h" #include "SpatialPointCompressor.h" #include "CommonLibrary/ArithmeticCoder.h" #include "CommonLibrary/RangeCoder.h" #include "../../../../LinkCompress.h" namespace embDB { template<typename _ZOrderType> class BPSpatialPointInnerCompressor { public: typedef _ZOrderType ZOrderType; typedef typename ZOrderType::TPointType TPointType; typedef int64 TLink; typedef STLAllocator<TLink> TLinkAlloc; typedef std::vector<TLink, TLinkAlloc> TLinkMemSet; typedef STLAllocator<ZOrderType> TKeyAlloc; typedef std::vector<ZOrderType, TKeyAlloc> TKeyMemSet; typedef CompressorParamsBaseImp TInnerCompressorParams; typedef TSpatialPointCompress<ZOrderType, TPointType> TZOrderCompressor; typedef CommonLib::TRangeEncoder<uint64, 64> TRangeEncoder; typedef CommonLib::TRangeDecoder<uint64, 64> TRangeDecoder; typedef CommonLib::TACEncoder<uint64, 32> TACEncoder; typedef CommonLib::TACDecoder<uint64, 32> TACDecoder; template<typename _Transactions > static TInnerCompressorParams *LoadCompressorParams(_Transactions *pTran) { return NULL; } BPSpatialPointInnerCompressor(uint32 nPageSize, TKeyMemSet* pKeyMemset, TLinkMemSet* pLinkMemSet, CommonLib::alloc_t *pAlloc = 0, TInnerCompressorParams *pParms = NULL) : m_nCount(0), m_nPageSize(nPageSize), m_pKeyMemSet(pKeyMemset), m_pLinkMemSet(pLinkMemSet) {} virtual ~BPSpatialPointInnerCompressor(){} virtual bool Load(TKeyMemSet& keySet, TLinkMemSet& linkSet, CommonLib::FxMemoryReadStream& stream) { CommonLib::FxMemoryReadStream KeyStreams; CommonLib::FxMemoryReadStream LinkStreams; m_nCount = stream.readInt32(); if(!m_nCount) return true; keySet.reserve(m_nCount); linkSet.reserve(m_nCount); uint32 nKeySize = stream.readIntu32(); uint32 nLinkSize = stream.readIntu32(); KeyStreams.attachBuffer(stream.buffer() + stream.pos(), nKeySize); LinkStreams.attachBuffer(stream.buffer() + stream.pos() + nKeySize, nLinkSize); m_ZOrderCompressor.decompress(m_nCount, keySet, &KeyStreams); m_LinkCompressor.decompress(m_nCount, linkSet, &LinkStreams); stream.seek(stream.pos() + nKeySize + nLinkSize, CommonLib::soFromBegin); return true; } virtual bool Write(TKeyMemSet& keySet, TLinkMemSet& linkSet, CommonLib::FxMemoryWriteStream& stream) { uint32 nSize = (uint32)keySet.size(); assert(m_nCount == nSize); stream.write(nSize); if(!nSize) return true; CommonLib::FxMemoryWriteStream KeyStreams; CommonLib::FxMemoryWriteStream LinkStreams; uint32 nKeySize = m_ZOrderCompressor.GetComressSize(); uint32 nLinkSize = m_LinkCompressor.GetComressSize(); stream.write(nKeySize); stream.write(nLinkSize); KeyStreams.attachBuffer(stream.buffer() + stream.pos(), nKeySize); LinkStreams.attachBuffer(stream.buffer() + stream.pos() + nKeySize, nLinkSize); m_ZOrderCompressor.compress(keySet, &KeyStreams); m_LinkCompressor.compress(linkSet, &LinkStreams); stream.seek(stream.pos() + nKeySize + nLinkSize, CommonLib::soFromBegin); return true; } virtual bool insert(int32 nIndex, const ZOrderType& key, TLink link ) { m_nCount++; m_ZOrderCompressor.AddSymbol(m_nCount, nIndex, key, *m_pKeyMemSet); m_LinkCompressor.AddLink(link); return true; } virtual bool add(const TKeyMemSet& keySet, const TLinkMemSet& linkSet) { m_nCount += keySet.size(); uint32 nOff = m_nCount; for (uint32 i = 0, sz = keySet.size(); i < sz; ++i) { insert(i + nOff, keySet[i], linkSet[i]); } return true; } virtual bool recalc(const TKeyMemSet& keySet, const TLinkMemSet& linkSet) { m_nCount = keySet.size(); m_LinkCompressor.clear(); m_ZOrderCompressor.clear(); for (size_t i = 0, sz = keySet.size(); i < sz; ++i) { if(i != 0) m_ZOrderCompressor.AddDiffSymbol(keySet[i] - keySet[i-1]); m_LinkCompressor.AddLink(linkSet[i]); } return true; } virtual bool remove(int nIndex, const ZOrderType& key, TLink link) { m_nCount--; m_ZOrderCompressor.RemoveSymbol(m_nCount, nIndex, key, *m_pKeyMemSet); m_LinkCompressor.RemoveLink(link); return true; } virtual bool update(int nIndex, const ZOrderType& key, TLink link) { m_ZOrderCompressor.RemoveSymbol(m_nCount, nIndex, (*m_pKeyMemSet)[nIndex], *m_pKeyMemSet); m_LinkCompressor.RemoveLink((*m_pLinkMemSet)[nIndex]); m_ZOrderCompressor.AddSymbol(m_nCount, nIndex, key, *m_pKeyMemSet); m_LinkCompressor.AddLink(link); return true; } virtual uint32 size() const { return 3 *sizeof(uint32) + rowSize(); } virtual bool isNeedSplit() const { return m_nPageSize < size(); } virtual uint32 count() const { return m_nCount; } uint32 headSize() const { return 3 * sizeof(uint32); } uint32 rowSize() const { return m_ZOrderCompressor.GetComressSize() + m_LinkCompressor.GetComressSize(); } void clear() { m_nCount = 0; m_LinkCompressor.clear(); m_ZOrderCompressor.clear(); } uint32 tupleSize() const { return (ZOrderType::SizeInByte + sizeof(TLink)); } void SplitIn(uint32 nBegin, uint32 nEnd, BPSpatialPointInnerCompressor *pCompressor) { uint32 nSize = nEnd- nBegin; m_nCount -= nSize; pCompressor->m_nCount += nSize; } bool IsHaveUnion(BPSpatialPointInnerCompressor *pCompressor) const { uint32 nNoCompSize = m_nCount * (sizeof(ZValueType) + sizeof(TLink)); uint32 nNoCompSizeUnion = pCompressor->m_nCount * (sizeof(ZValueType) + sizeof(TLink)); return (nNoCompSize + nNoCompSizeUnion + tupleSize()) < (m_nPageSize - headSize()); } bool IsHaveAlignment(BPSpatialPointInnerCompressor *pCompressor) const { uint32 nNoCompSize = m_nCount * (sizeof(ZValueType) + sizeof(TLink)); return nNoCompSize < (m_nPageSize - headSize()); } bool isHalfEmpty() const { uint32 nNoCompSize = m_nCount * (sizeof(ZValueType) + sizeof(TLink)); return nNoCompSize < (m_nPageSize - headSize())/2; } private: uint32 m_nCount; uint32 m_nPageSize; InnerLinkCompress m_LinkCompressor; TZOrderCompressor m_ZOrderCompressor; TKeyMemSet* m_pKeyMemSet; TLinkMemSet* m_pLinkMemSet; }; } #endif
a4e3bd9f5819e199022ed1173e5c64144e475ffc
4d73490bf48a9a619ab0d6e064ab4652b4ab198c
/BattleTank/Source/BattleTank/TankPlayerController.h
7c10f06ea6a4573cd32a7456481f0935f6507fd7
[]
no_license
minomiya/01_BattleTank
7b09031cf0f9e041da50d2747df7c16ab9f8318a
28b6fb1b3ca548bfaf9a634eab6dc09248a2d5ca
refs/heads/master
2020-05-01T07:08:50.366198
2019-05-08T23:17:48
2019-05-08T23:17:48
177,345,788
0
0
null
null
null
null
UTF-8
C++
false
false
1,144
h
TankPlayerController.h
// Copyrights LateGameStudios Ltd. #pragma once #include "CoreMinimal.h" #include "GameFramework/PlayerController.h" #include "TankPlayerController.generated.h" class UTankAimingComponent; class ATank; /** * */ UCLASS() class BATTLETANK_API ATankPlayerController : public APlayerController { GENERATED_BODY() public: virtual void BeginPlay() override; virtual void Tick(float DeltaTime) override; UFUNCTION(BlueprintImplementableEvent, Category = "Setup") void FoundAimingComponent(UTankAimingComponent* AimCompRef); void AimTowardsCrosshair(); bool GetSightRayHitLocation(FVector& OutHitLocation); bool GetLookDirection(FVector2D ScreenLocation, FVector & LookDirection) const; bool GetLookVectorHitLocation(FVector LookDirection, FVector& HitLocation); virtual void SetPawn(APawn* InPawn) override; UFUNCTION() void OnTankDeath(); UTankAimingComponent* TankAimmingComponent; UPROPERTY(EditDefaultsOnly) float CrossHairXLocation = 0.5; UPROPERTY(EditDefaultsOnly) float CrossHairYLocation = 0.333333; UPROPERTY(EditDefaultsOnly) float LineTraceRange = 1000000.; ATank* PossessedTank = nullptr; };
85abf09cdf8880fb744779cd39ca0feda68ad5a3
2771ff9396c41a33078a112408d04d222e99535e
/DrinkBook/DrinkBook/Haus.h
bc03524862c8cacf68d672fc3fd978fdb9253677
[]
no_license
dzpalova/OOP-FMI
fc2179f82f6757d2ca838af885bb3505b6f5a324
468bcb84c8c33e3f35f9c9bc01cfdbb4f34c56dd
refs/heads/master
2020-05-25T14:41:44.508153
2019-06-03T21:17:10
2019-06-03T21:17:10
187,349,664
0
0
null
null
null
null
UTF-8
C++
false
false
333
h
Haus.h
#include "Club.h" const double HAUS_MIN_PRICE_VODKA = 30.0; const double HAUS_MIN_PRICE_WHISKEY = 40.0; class Haus : public Club { int numDJ; virtual void setMinPriceVodka(double); virtual void setMinPriceWhisley(double); virtual Club* clone() const; public: Haus(const char* = "", double = 0.0, double = 0.0, int = 0); };
871f5ec2507d7c346246758df89d6ccdf4b953de
4b28074774821a2dc4921f14feaa83336fc087a7
/InetTar/Server/InetTarifDlg.h
b2aeac32763b9b4e8db0e2c17cdb6d2a311d7b1e
[]
no_license
laz65/internet
b7522fcac209e7b1432ed4c6fbb0f6c88d47f660
fbeef8aa030d55b10147c98cc0f412b2473904cf
refs/heads/master
2021-01-10T09:16:09.346241
2015-10-03T06:38:12
2015-10-03T06:38:12
43,551,883
0
0
null
null
null
null
WINDOWS-1251
C++
false
false
3,716
h
InetTarifDlg.h
// InetTarifDlg.h : header file // #include "afxwin.h" #if !defined(AFX_INETTARIFDLG_H__78696A70_83ED_11D4_945E_0050044D962D__INCLUDED_) #define AFX_INETTARIFDLG_H__78696A70_83ED_11D4_945E_0050044D962D__INCLUDED_ #if _MSC_VER > 1000 #pragma once #endif // _MSC_VER > 1000 ///////////////////////////////////////////////////////////////////////////// // CInetTarifDlg dialog class CInetTarifDlg : public CDialog { // Construction public: CInetTarifDlg(CWnd* pParent = NULL); // standard constructor //void UpdateWindow(); // Всплывающее меню CMenu Listmn; // Подчиненное всплывающее меню CMenu Mengmn; // Dialog Data //{{AFX_DATA(CInetTarifDlg) enum { IDD = IDD_INETTARIF_DIALOG }; //}}AFX_DATA // 20.05.2009 //CStatic cPrinUah; //CStatic cZalogUah; private: void InitWorkstation(); bool myProgInit(int); CListCtrl m_List; std::vector<CProgressCtrl*> m_vectPrgssCtrl; CStatusBarCtrl m_StatusBar; // Показывать бегунок для работающего компа bool IsShowPrgss; //int ListItm; CRect ListRct; RECT m_desktop; int GlobalWTime; //CInetTarifDlg::OnTimer(UINT nIDEvent) // Для пунктов меню Залог, Расчет, Продление, Перенос void OnPressMenuZalog(WPARAM wParam, LPARAM lParam); void OnPressMenuRasch(); void OnPressMenuProlong(); void OnPressMenuMove(); // void ChangeTarif(CompInfo &Comp, double oldt, double newt); void StopSeance(int iComp); void AtertSeance(int iComp, int iTarCode); bool StartInet(int Comp); bool StopInet(int Comp); // 20.05.2009 void ShowRaschSum(long lZalog, long lPriem); // ClassWizard generated virtual function overrides //{{AFX_VIRTUAL(CInetTarifDlg) public: virtual BOOL OnCmdMsg(UINT nID, int nCode, void* pExtra, AFX_CMDHANDLERINFO* pHandlerInfo); virtual BOOL OnCommand(WPARAM wParam, LPARAM lParam); virtual BOOL PreTranslateMessage(MSG* pMsg); protected: virtual void DoDataExchange(CDataExchange* pDX); // DDX/DDV support virtual LRESULT DefWindowProc(UINT message, WPARAM wParam, LPARAM lParam); //}}AFX_VIRTUAL // Implementation protected: CToolTipCtrl m_tooltip; afx_msg void OnContextMenu(CWnd*, CPoint point); HICON m_hIcon; // Generated message map functions //{{AFX_MSG(CInetTarifDlg) virtual BOOL OnInitDialog(); afx_msg void OnSysCommand(UINT nID, LPARAM lParam); afx_msg void OnDestroy(); afx_msg void OnPaint(); afx_msg HCURSOR OnQueryDragIcon(); virtual void OnOK(); afx_msg void OnTimer(UINT nIDEvent); // afx_msg void OnMoving( UINT nSide, LPRECT lpRect ); // afx_msg void OnShowWindow(BOOL bShow, UINT nStatus); afx_msg void OnCom(); afx_msg void OnLogoff(); afx_msg void OnSmena(); afx_msg void OnChek(); afx_msg void OnLvnGetdispinfoList(NMHDR *pNMHDR, LRESULT *pResult); afx_msg void OnNMCustomdrawLvCustomDraw(NMHDR *pNMHDR, LRESULT *pResult); //}}AFX_MSG afx_msg HBRUSH OnCtlColor(CDC* pDC, CWnd* pWnd, UINT nCtlColor); afx_msg void OnRemovepssbr(); DECLARE_MESSAGE_MAP() public: // afx_msg void OnStnClickedZalogUah(); // afx_msg void OnStnClickedPrinUah(); // afx_msg void OnSizing(UINT fwSide, LPRECT pRect); // afx_msg void OnSize(UINT nType, int cx, int cy); // afx_msg void OnExitSizeMove(); // afx_msg void OnSettingChange(UINT uFlags, LPCTSTR lpszSection); // afx_msg void OnSizing(UINT fwSide, LPRECT pRect); afx_msg void OnSize(UINT nType, int cx, int cy); afx_msg void OnStnClickedPrinUah(); afx_msg void OnShowWindow(BOOL bShow, UINT nStatus); }; //{{AFX_INSERT_LOCATION}} // Microsoft Visual C++ will insert additional declarations immediately before the previous line. #endif // !defined(AFX_INETTARIFDLG_H__78696A70_83ED_11D4_945E_0050044D962D__INCLUDED_)
cfec341579c4fd90d2fc90c39c8872da838d4e23
e7d6c366aba9cecb0ab837dcf4eb9a289e7836c0
/Wifi/WifiNetwork.h
766a649ea3f282e7d88f18d49d8e77d164d763ba
[]
no_license
OTTeam/CaptainAdhocClient
525bd0a08528f3ba4c187c4a0529db62c84f72fc
8c78042fd32a7f302bb2dc657c7330b0834d5226
refs/heads/master
2021-01-22T21:32:14.258964
2012-03-20T13:54:35
2012-03-20T13:54:35
3,647,550
0
0
null
null
null
null
UTF-8
C++
false
false
680
h
WifiNetwork.h
#ifndef WIFINETWORK_H #define WIFINETWORK_H #include <QObject> #include <Windows.h> #include <adhoc.h> #include "NetworkNotificationSink.h" class WifiNetwork : public QObject { Q_OBJECT public: WifiNetwork (IDot11AdHocNetwork *); virtual ~WifiNetwork(); bool Connect(QString password); bool Disconnect(); void RegisterNetworkNotifications(); void UnregisterNetworkNotifications(); QString GetSSID(); private: IDot11AdHocNetwork * _network; NetworkNotificationSink * _networkSink; DWORD _sinkCookie; bool _registered; signals: void ConnectionStatusChanged(int); void ConnectionFail(int); }; #endif // WIFINETWORK_H
d7054df67db26531642c90a012d607ad56e09e18
d495474e5da770c6dabc9ea4b65c9085b6af9290
/saRoamMonitor/src/ssnet.cpp
d997e710f746ee9e7c296d186239aea17d8e144d
[]
no_license
zhengxiexie/signalingContext
43b9f51e721942f7f802a4c27a0891f4614d1a5f
44a5f7e5058ae4b264c18499e40827f5768bf638
refs/heads/master
2016-09-05T14:23:17.771539
2014-04-12T04:49:04
2014-04-12T04:49:04
null
0
0
null
null
null
null
GB18030
C++
false
false
28,582
cpp
ssnet.cpp
/** * Copyright (c) 2010 AsiaInfo. All Rights Reserved. * Creator: zhoulb email:zhoulb@asiainfo.com * Modified log: * 1> zhoulb 2010-03-01 Create * 2> * Description: * 漫入漫出客户上下文文件处理函数,读取分拣后的信令文件,排序。主程序调用 * 错误代码范围: * R2001 -- R3000 **/ #include "sspublic.h" #include "ssnet.h" #include "sscontext.h" #include "ssanalyze.h" #include <iostream> #include <stdio.h> #include <dirent.h> #include <sys/stat.h> #include <sys/types.h> #include <fcntl.h> #include <utime.h> unsigned int ss_num=0; int exitflag=0; int file_read_exitflag=0; Analyze ana; time_t last_time = 0; LineBuff lb={ PTHREAD_MUTEX_INITIALIZER, PTHREAD_COND_INITIALIZER, PTHREAD_COND_INITIALIZER, LBSIZE,0,0,0 }; Check chk={ PTHREAD_MUTEX_INITIALIZER, PTHREAD_COND_INITIALIZER, 0,0,0,0,0,0 }; void *produce_fr_tcp(void *arg) { int fd, connfd; char hostname[64],servname[20]; struct sockaddr_in cltaddr; struct addrinfo hints,*res; socklen_t socklen, optlen; int optval; Config *cfg; int num; char line[MAXLINE]; FileBuff fb; fb.num=0; fb.from=0; cfg=(Config *)Malloc(sizeof(Config)); ReadConfig("../etc/ssanalyze.conf", cfg); gethostname(hostname, 64); //bzero(&hints, sizeof(hints)); memset(&hints, '\0', sizeof(hints)); hints.ai_socktype = SOCK_STREAM; Getaddrinfo(hostname, cfg->receive_port, &hints, &res); fd = Socket(res->ai_family, res->ai_socktype, res->ai_protocol); Bind(fd, res->ai_addr, res->ai_addrlen); listen(fd, 5); printf("\nListening data at %s:%s\n",res->ai_canonname,cfg->receive_port); optlen=sizeof(optval); optval=128*1024; Setsockopt(fd, SOL_SOCKET, SO_RCVBUF, (void *)&optval, optlen); free(cfg); freeaddrinfo(res); socklen = sizeof(cltaddr); while(1) { connfd = Accept(fd, (struct sockaddr *)&cltaddr, &socklen); Getnameinfo((struct sockaddr *)&cltaddr, socklen, hostname, 64, servname, 20, NI_NUMERICHOST); printf("Sender come from %s:%s\n", hostname, servname); while(1) { num = ReadLine(connfd, &fb, line, MAXLINE); if(num<= 0) { printf("Connect close\n"); break; } if( chk.direct_receive && Discard(line, 11)) { printf("column number error: %s\n", line); continue; } pthread_mutex_lock(&lb.mutex); while ( lb.empty < MAXLINE) pthread_cond_wait(&lb.less, &lb.mutex); num=PutLine(line, &lb); pthread_cond_signal(&lb.more); pthread_mutex_unlock(&lb.mutex); //ss_num++; if(exitflag>0) { // 当没有采集的信令时,造成上下文处理线程(consume)等待,需要给出信号,使其可以向下运行 // 进而,才可以判断是否需要退出 pthread_cond_signal(&lb.more); file_read_exitflag = 1; freeaddrinfo(res); printf("last msg is:%s\n",line); pthread_exit(0); } } } } // 放入sscontest.cpp中 /* void *load_timer(void *arg) { int i, load_interval; Config *cfg; cfg=(Config *)Malloc(sizeof(Config)); ReadConfig("../etc/ssanalyze.conf", cfg); load_interval = cfg->load_interval; free(cfg); while(1) { sleep(load_interval); //for(i=0; i<7; i++) for(i=0; i<LOAD_FILE_NUM; i++) { ana.timeout[i]=1; } if(exitflag>0) pthread_exit(0); } } */ void *produce_fr_udp(void *arg) { int sockfd,n=0; unsigned long clilen; struct sockaddr_in cltaddr; unsigned long addrlen; struct addrinfo hints,*res; char msg[MAXLINE]; char hostname[20]; int optval; socklen_t len; Config *cfg; cfg = (Config *)Malloc(sizeof(Config)); ReadConfig("../etc/ssanalyze.conf", cfg); gethostname(hostname, 64); //bzero(&hints, sizeof(hints)); memset(&hints, '\0', sizeof(hints)); hints.ai_socktype = SOCK_DGRAM; Getaddrinfo(hostname, cfg->receive_port, &hints, &res); sockfd = Socket(res->ai_family, res->ai_socktype, res->ai_protocol); Bind(sockfd, res->ai_addr, res->ai_addrlen); freeaddrinfo(res); optval= 65536; len=sizeof(optval); Setsockopt(sockfd, SOL_SOCKET, SO_RCVBUF, (void *)&optval, len); clilen = sizeof(cltaddr); free(cfg); ss_num=0; while(1) { int num; //bzero(msg, MAXLINE); memset(msg, '\0', MAXLINE); /* n = recvfrom(sockfd,msg,MAXLINE,0,(struct sockaddr *)&cltaddr,&clilen);20090326*/ if(n<0) { printf("Can't receive data\n"); continue; } pthread_mutex_lock(&lb.mutex); while ( lb.empty < MAXLINE) pthread_cond_wait(&lb.less, &lb.mutex); num=PutLine(msg, &lb); pthread_cond_signal(&lb.more); pthread_mutex_unlock(&lb.mutex); //ss_num++; if(exitflag>0) { // 当没有采集的信令时,造成上下文处理线程(consume)等待,需要给出信号,使其可以向下运行 // 进而,才可以判断是否需要退出 pthread_cond_signal(&lb.more); file_read_exitflag = 1; freeaddrinfo(res); printf("last msg is:%s\n",msg); pthread_exit(0); } } } int get_sleep_interval() { char str[200]; FILE *fp; int flag = 0; int len; char sleep_interval[10]; fp=fopen("../etc/ftp.conf","r"); if(fp==NULL) { printf("文件[ftp.conf]打开错误!\n"); exit(-1); } memset(str, '\0', sizeof(str)); while(fgets(str,200,fp)!=NULL) { if(!strncmp(str, "sleep_interval", 14)) { flag = 1; break; } } fclose(fp); if(flag == 1) { memset(sleep_interval,'\0',sizeof(sleep_interval)); len=GetStr(str, sleep_interval, 1, '"'); return atoi(sleep_interval); } else { printf("文件[ftp.conf]中未配置sleep_interval周期!\n"); exit(-1); } return atoi(sleep_interval); } int get_input_file_path(char *input_file_path) { char str[200]; FILE *fp; int flag = 0; int len; fp=fopen("../etc/ftp.conf","r"); if(fp==NULL) { printf("文件[ftp.conf]打开错误!\n"); exit(-1); } memset(str, '\0', sizeof(str)); while(fgets(str,200,fp)!=NULL) { if(!strncmp(str, "input_file_path", 15)) { flag = 1; break; } } fclose(fp); if(flag == 1) { len=GetStr(str, input_file_path, 1, '"'); return 0; } else { printf("文件[ftp.conf]中未配置input_file_path路径!\n"); exit(-1); } return 1; } int get_input_file_backup_path(char *input_file_backup_path) { char str[200]; FILE *fp; int flag = 0; int len; fp=fopen("../etc/ftp.conf","r"); if(fp==NULL) { printf("文件[ftp.conf]打开错误!\n"); exit(-1); } memset(str, '\0', sizeof(str)); while(fgets(str,200,fp)!=NULL) { if(!strncmp(str, "input_file_backup_path", 15)) { flag = 1; break; } } fclose(fp); if(flag == 1) { len=GetStr(str, input_file_backup_path, 1, '"'); return 0; } else { printf("文件[ftp.conf]中未配置input_file_backup_path路径!\n"); exit(-1); } return 1; } void *produce_fr_ftp(void *arg) { int fd; int num=1,ret,counts=0; time_t event_time,deal_time,begin_time,end_time,cur_time; char str_begin_time[20],str_cur_time[20],str_end_time[20]; char line[MAXLINE]; char line_tmp[MAXLINE]; char imsi[16]; char buff[300]; int len[50]; char *word[50]; char str_event_time[20],errinfo[200]; char log_file_path[250]; int signal_sort_capacity = 0; int out_time = 0; int match_flag = 0; struct stat file_buf; FileBuff fb; fb.num=0; fb.from=0; DIR *dp; struct dirent *entry; struct stat buf; char *ptr; #define MAXLINES 100 char *fileptr[MAXLINES]; struct tm *tp; SignalContent *end ; char input_file_path[200]; char input_file_backup_path[200]; char input_file_name[200]; int sleep_interval=120; //设置取文件周期,单位:秒 默认为120秒 // 判断是否有停止标志文件 int fd_exit; int init_flag = 1; //上下文信令排序初始化 char str_exit_file_name[200]; memset(str_exit_file_name, '\0', sizeof(str_exit_file_name)); strcpy(str_exit_file_name, "./saRoamMonitor.exitflag"); //vector<string> m_input_file_name; //vector<string>::iterator m_pos_m_input_file_name; set<string> m_input_file_name; set<string>::iterator m_pos_m_input_file_name; char msgvalue[20]; // 取得sleep周期 //sleep_interval = get_sleep_interval(); sleep_interval = chk.sleep_interval; //printf("sleep_interval=[%d]\n", sleep_interval); // 取得输入文件路径 memset(input_file_path, '\0', sizeof(input_file_path)); strcpy(input_file_path, chk.input_file_path); //get_input_file_path(input_file_path); printf("input file path=[%s]\n", input_file_path); // 取得输入文件的备份路径 memset(input_file_backup_path, '\0', sizeof(input_file_backup_path)); strcpy(input_file_backup_path, chk.input_file_backup_path); //get_input_file_backup_path(input_file_backup_path); //printf("input_file_backup_path=[%s]\n", input_file_backup_path); signal_sort_capacity = chk.signal_sort_capacity *10000; SignaltimeIndex * timeIndex = NULL; if( chk.signal_sort_flag == 1 ) { //申请时间索引 timeIndex = (SignaltimeIndex *)Malloc(sizeof(SignaltimeIndex)*(chk.signal_sort_interval + 1 )); for(int i = 0 ; i < (chk.signal_sort_interval + 1) ; i++){ timeIndex[i].signal_time = -1; timeIndex[i].index = (SignalIndex *)Malloc(sizeof(SignalIndex)*signal_sort_capacity); for(int j=0; j < signal_sort_capacity ; j++){ timeIndex[i].index[j].head = NULL; } int size=sizeof(SignalIndex)*signal_sort_capacity; printf("SignalIndex[%d] size:%.2f MB\n",i,(double)size/1048576); } } //进入循环读取文件 while(1){ if((dp = opendir(input_file_path)) == NULL){ memset(errinfo,'\0',sizeof(errinfo)); sprintf(errinfo,"路径[%s]打开错误,请检查该目录是否存在。", input_file_path); printf("%s\n",errinfo); write_error_file(chk.err_file_path,"saRoamMonitor","31",3,errinfo); sleep(60); continue; }else { m_input_file_name.clear(); while((entry = readdir(dp)) != NULL){ memset(input_file_name, '\0', sizeof(input_file_name)); strcpy(input_file_name, input_file_path); strcat(input_file_name, "/"); strcat(input_file_name, entry->d_name); if((strcmp(input_file_name, ".")== 0) || (strcmp(input_file_name, "..")== 0)){ continue; } if (lstat(input_file_name, &buf) < 0){ continue; } if(strstr(input_file_name, ".tmp") != NULL){ continue; } if (!S_ISREG(buf.st_mode)){ continue; } m_input_file_name.insert(entry->d_name); } closedir(dp); //开始循环处理每一个文件 for(m_pos_m_input_file_name=m_input_file_name.begin(); m_pos_m_input_file_name!=m_input_file_name.end(); ++m_pos_m_input_file_name){ memset(input_file_name, '\0', sizeof(input_file_name)); strcpy(input_file_name, input_file_path); strcat(input_file_name, "/"); strcat(input_file_name, m_pos_m_input_file_name->c_str()); memset(str_begin_time, '\0', sizeof(str_begin_time)); begin_time = get_system_time_2(str_begin_time); last_time = begin_time; printf("当前处理文件 [%s] begin_time=[%s]\n", input_file_name, str_begin_time); fflush(stdout); //截取文件的信令日期 if( chk.signal_sort_flag == 1 ) { char str_deal_time[20]; memset(str_deal_time, '\0', sizeof(str_deal_time)); strncpy(str_deal_time,m_pos_m_input_file_name->c_str()+5,14); str_deal_time[18] = '0'; str_deal_time[17] = '0'; str_deal_time[16] = ':'; str_deal_time[15] = str_deal_time[11]; str_deal_time[14] = str_deal_time[10]; str_deal_time[13] = ':'; str_deal_time[12] = str_deal_time[9]; str_deal_time[11] = str_deal_time[8]; str_deal_time[10] = ' '; str_deal_time[9] = str_deal_time[7]; str_deal_time[8] = str_deal_time[6]; str_deal_time[7] = '-'; str_deal_time[6] = str_deal_time[5]; str_deal_time[5] = str_deal_time[4]; str_deal_time[4] = '-'; deal_time = ToTime_t(str_deal_time); if(deal_time < 0){ memset(errinfo,'\0',sizeof(errinfo)); sprintf(errinfo,"分拣后的文件[%s]的命名有问题,请立即检查!", input_file_name); printf("%s\n",errinfo); write_error_file(chk.err_file_path,"saRoamMonitor","32",2,errinfo); } //找到当前文件排入的时段,根据文件名, //因为每分钟的数据文件不一定只有一个,所以需要先判断在索引是否存在 //printf("str_deal_time=[%s] deal_time=[%d],init_flag=[%d]\n",str_deal_time,deal_time,init_flag); if(init_flag == 1) { time_t tmp_time; tmp_time = deal_time; for(int i = chk.signal_sort_interval ; i>= 0 ; i-- ){ timeIndex[i].signal_time = tmp_time; //printf("[%d]=[%d]\n",i,tmp_time); tmp_time = tmp_time - 60; } init_flag = 0 ; //初始化时只做一次 }else{ match_flag = 0 ; for( out_time = 0 ; out_time < (chk.signal_sort_interval +1) ; out_time++) { if(timeIndex[out_time].signal_time > 0 && (deal_time - timeIndex[out_time].signal_time) == 0){ match_flag = 1 ; break; } } //printf("match_flag=[%d]\n",match_flag); if(match_flag != 1){ for( out_time = 0 ; out_time < (chk.signal_sort_interval + 1) ; out_time++) { if(timeIndex[out_time].signal_time == -1 ){ timeIndex[out_time].signal_time = deal_time ; break; } } } } } // 处理文件中的每条话单 fd=open(input_file_name, O_RDONLY); num = 1; counts = 0; //判断信令是否需要排序 1-为需要,0-为不需要 if( chk.signal_sort_flag == 1 ) { while( num > 0 ){ // 取得文件中的每条记录 num = ReadLine(fd, &fb, line, MAXLINE); // 当num==0时,表示已到达文件尾或是无可读取的数据 if( num > 0 ){ //printf("当前处理信令数据为=[%s]\n", line); memset(line_tmp, '\0', sizeof(line_tmp)); strcpy(line_tmp, line); //取IMSI ret=Split(line, ',', 50, word, len); memset(imsi, '\0', sizeof(imsi)); strcpy(imsi, word[field_imsi_num]); LTrim(imsi, ' '); RTrim(imsi, ' '); //取信令发生时间 memset(str_event_time,'\0',sizeof(str_event_time)); strncpy(str_event_time,word[field_time_stamp_num],19); //printf("get ler time = [%s]\n",str_event_time); event_time = ToTime_t(str_event_time); //判断信令放入哪个时段列表 match_flag = 0 ; int time_interval = 0; for( out_time = 0 ; out_time < (chk.signal_sort_interval +1) ; out_time++) { //文件名时间存放前一分钟的数据 time_interval = event_time - timeIndex[out_time].signal_time ; if(timeIndex[out_time].signal_time > 0 && time_interval >=0 && time_interval <60 ){ match_flag = 1 ; break; } } //printf("match_flag===[%d] \n",match_flag); //超过时延,信令丢弃 if(match_flag != 1){ //printf("discard...line=[%s]\n",line_tmp); continue; } //printf("out_time=[%d],event_time=[%s],imsi=[%s]\n",out_time,word[field_time_stamp_num],imsi); //对信令数据进行排序 ret=sortSignal(timeIndex[out_time].index,imsi,event_time,line_tmp); } counts++; } cur_time = get_system_time_2(str_cur_time); printf("文件排序完成 [%s] str_cur_time=[%s]\n", input_file_name, str_cur_time); //将前N分钟的数据输出 int min_index = 0; time_t tmp_time = -1 ; end = NULL; for( out_time = 0 ; out_time < (chk.signal_sort_interval +1) ; out_time++) { //printf("out_time=[%d]\n",timeIndex[out_time].signal_time); if(timeIndex[out_time].signal_time == -1){ continue; } if(tmp_time == -1 ){ tmp_time = timeIndex[out_time].signal_time ; } if(tmp_time > timeIndex[out_time].signal_time){ tmp_time = timeIndex[out_time].signal_time; min_index = out_time; } } //printf("aaaa==[%d]\n",min_index); //printf("deal_time=[%d],timeIndex[%d].signal_time=[%d]\n",deal_time,out_time,timeIndex[out_time].signal_time); if(timeIndex[min_index].signal_time > 0 && ((deal_time - timeIndex[min_index].signal_time)/60) >= chk.signal_sort_interval){ for(int i=0; i < signal_sort_capacity; i++){ while(timeIndex[min_index].index[i].head != NULL){ pthread_mutex_lock(&lb.mutex); while ( lb.empty < MAXLINE){ pthread_cond_wait(&lb.less, &lb.mutex); } num=PutLine(timeIndex[min_index].index[i].head->line, &lb); //printf("push to buffer:line=[%s]\n",timeIndex[min_index].index[i].head->line); pthread_cond_signal(&lb.more); pthread_mutex_unlock(&lb.mutex); end = timeIndex[min_index].index[i].head->next; free(timeIndex[min_index].index[i].head); timeIndex[min_index].index[i].head = end; } } timeIndex[min_index].signal_time = -1 ; } cur_time = get_system_time_2(str_cur_time); printf("放入缓冲完成 [%s] str_cur_time=[%s]\n", input_file_name, str_cur_time); }else{ while( num > 0 ){ // 取得文件中的每条记录 num = ReadLine(fd, &fb, line, MAXLINE); // 当num==0时,表示已到达文件尾或是无可读取的数据 if( num > 0 ){ pthread_mutex_lock(&lb.mutex); while ( lb.empty < MAXLINE){ pthread_cond_wait(&lb.less, &lb.mutex); } num = PutLine(line, &lb); pthread_cond_signal(&lb.more); pthread_mutex_unlock(&lb.mutex); } counts++; } } close(fd); //写文件处理日志 char str_file_name[50]; memset(str_file_name,'\0',sizeof(str_file_name)); strcpy(str_file_name,m_pos_m_input_file_name->c_str()); sprintf(msgvalue,"%d",counts); pthread_mutex_lock(&pthread_logfile_mutex); ret = write_log_file(chk.log_file_path,"saRoamMonitor","71",str_file_name,str_end_time,msgvalue); pthread_mutex_unlock(&pthread_logfile_mutex); if(ret <= 0){ memset(errinfo,'\0',sizeof(errinfo)); sprintf(errinfo,"写文件处理日志失败:[%s]",input_file_name); printf("%s\n",errinfo); write_error_file(chk.err_file_path,"saRoamMonitor","35",2,errinfo); } //备份处理完成的文件 /*memset(buff, 0, sizeof(buff)); strcpy(buff, "mv "); strcat(buff, input_file_name); strcat(buff, " "); strcat(buff, input_file_backup_path); printf("buff = [%s]\n", buff); system(buff);*/ //删除处理完成的文件 /*memset(buff, 0, sizeof(buff)); strcpy(buff, "rm -fr "); strcat(buff, input_file_name); //printf("buff = [%s]\n", buff); system(buff); */ //效率问题,改成remove remove(input_file_name); cur_time = get_system_time_2(str_cur_time); printf("该文件处理完成[%s] str_end_time=[%s]\n", input_file_name, str_cur_time); fd_exit =open(str_exit_file_name, O_RDONLY); if(fd_exit>0) { printf("检测到停止文件存在,程序退出!\n"); exitflag=1; close(fd_exit); remove(str_exit_file_name); break; } } if(exitflag <= 0){ fd_exit =open(str_exit_file_name, O_RDONLY); if(fd_exit>0) { printf("检测到停止文件存在,程序退出!\n"); exitflag=1; close(fd_exit); remove(str_exit_file_name); } } if(exitflag > 0){ //将缓冲区数据PUT到信令处理的缓冲区 if( chk.signal_sort_flag == 1 ) { end = NULL ; char filetime[20]; for(int j = 0 ; j < (chk.signal_sort_interval + 1); j++){ if(timeIndex[j].signal_time == -1){ continue; } memset(filetime,'\0',sizeof(filetime)); get_str_time(filetime,timeIndex[j].signal_time); memset(input_file_name, '\0', sizeof(input_file_name)); strcpy(input_file_name, input_file_path); strcat(input_file_name, "/pick_"); strcat(input_file_name, filetime); //初始化BUFFER fb.num=0; fb.from=0; memset(fb.buf,'\0',sizeof(fb.buf)); printf("exit write file name=[%s]\n",input_file_name); fd = open(input_file_name, O_WRONLY|O_CREAT, 0644); for(int i=0; i < signal_sort_capacity; i++){ while(timeIndex[j].index[i].head != NULL){ pthread_mutex_lock(&lb.mutex); while ( lb.empty < MAXLINE){ pthread_cond_wait(&lb.less, &lb.mutex); } WriteLine(fd,&fb,timeIndex[j].index[i].head->line,strlen(timeIndex[j].index[i].head->line)); // num=PutLine(timeIndex[j].index[i].head->line, &lb); //printf("line=[%s]\n",timeIndex[j].index[i].head->line); pthread_cond_signal(&lb.more); pthread_mutex_unlock(&lb.mutex); end = timeIndex[j].index[i].head->next; free(timeIndex[j].index[i].head); timeIndex[j].index[i].head = end; } } //最后将缓冲写入文件,并关闭文件。 if(fb.num>0) write(fd, fb.buf, fb.num); close(fd); free(timeIndex[j].index); } free(timeIndex); } file_read_exitflag = 1; pthread_cond_signal(&lb.more); m_input_file_name.clear(); memset(errinfo,'\0',sizeof(errinfo)); sprintf(errinfo,"读取文件和信令排序线程退出,立即检查!"); printf("%s\n",errinfo); write_error_file(chk.err_file_path,"saRoamMonitor","64",2,errinfo); pthread_exit(0); } } sleep(sleep_interval); } } /*对客户信令进行排序*/ int sortSignal(SignalIndex *signalIndex,char * imsi,time_t event_time, char * line){ SignalContent *content = NULL; SignalContent *end = NULL; SignalContent *begin = NULL; int imsino,pos; imsino = atoi(imsi+6); pos = imsino % (chk.signal_sort_capacity *10000); //申请一个节点 content = (SignalContent *)Malloc(sizeof(SignalContent)); memset(content, '\0', sizeof(SignalContent)); //赋值 content->event_time = event_time; memcpy(content->line,line,strlen(line)); content->next = NULL; //插入链表,跟据‘秒’排序 if( signalIndex[pos].head == NULL) { signalIndex[pos].head = content ; }else{ begin = end = signalIndex[pos].head ; while(end != NULL){ if(event_time < end->event_time){ if(end == signalIndex[pos].head){ content->next = end; signalIndex[pos].head = end = content; }else{ begin->next = content; content->next = end; } break; }else{ begin = end; end = end->next; } } //如果值最大,放入链表最后 if(end == NULL) { begin->next = content; } } begin = end = NULL; return 0; } int Getaddrinfo(char *hostname,char *servname,struct addrinfo *hints,struct addrinfo **res) { int error; hints->ai_flags = AI_PASSIVE|AI_CANONNAME; error = getaddrinfo(hostname, servname, hints, res); if (error != 0) { printf("getaddrinfo:%s for host %s service %s\n", strerror(error), hostname, servname); exit(-1); } return 0; } int Getnameinfo(struct sockaddr *sa, socklen_t salen,char *host,size_t hostlen,char *serv,size_t servlen,int flags) { int error; error = getnameinfo(sa, salen, host, hostlen, serv, servlen, flags); if( error != 0 ) { perror("Getnameinfo"); exit(-1); } return 0; } struct hostent *Gethostbyname(const char *hname ) { struct hostent *hent; hent = gethostbyname(hname); if(hent==NULL) { perror("gethostbyname exec failure"); exit(-1); } return hent; } int Socket(int family, int type, int protocol) { int ret; if((ret=socket(family,type,protocol))<0 ) { perror("Socket failure"); exit(ret); } return ret; } int Bind(int fd, const struct sockaddr *sockaddr, int size) { int ret; if((ret=bind(fd,sockaddr,size))<0) { printf("Bind failure.\nMaybe the other one is running.\n"); exit(ret); } return ret; } int Accept(int fd, struct sockaddr *sockaddr, socklen_t *addrlen) { int ret; if ((ret=accept(fd,sockaddr,addrlen))<0) { perror("Accept failure"); exit(ret); } return ret; } int Connect(int fd, struct sockaddr *sockaddr, socklen_t addrlen) { int ret; if((ret=connect(fd,sockaddr,addrlen))<0) { perror("Connect failure,maybe server not running"); return (ret); } return ret; } int Setsockopt(int s, int level, int optname, void *optval, socklen_t optlen) { int ret; if((ret=setsockopt(s, level, optname, optval, optlen))<0) { perror("Setsockopt"); return -1; } return ret; }
5dbb7b69b06368c7a6f6da3077d28cecf883c277
b5b26ef51f513c52db8a5cbb5f2e1302376a1a53
/src/bluetooth/BtTypes.hpp
1675d9da3901e476a79c833454a7932ab7f369a5
[]
no_license
dmarc0001/spx42Control
e1a99f8416add2955183e80fca354ab5f09ec6e2
55dc266f05388793bb29b54233b6684508db712c
refs/heads/master
2021-07-08T00:30:03.577217
2021-03-25T08:40:58
2021-03-25T08:40:58
67,631,728
0
1
null
null
null
null
UTF-8
C++
false
false
595
hpp
BtTypes.hpp
#ifndef BTTYPES_HPP #define BTTYPES_HPP #include <QBluetoothAddress> #include <QHash> #include <QPair> #include <QQueue> #include <QString> namespace spx { // // ein paar Typendefinitionen, um die Sache lesbar zu machen // //! device MAC, device Name using SPXDeviceDescr = QPair< QString, QString >; //! device Addr, device Info, Service Info using SPXDeviceList = QHash< QString, SPXDeviceDescr >; //! Queue zum scannen der Devices nach Services using ToScannedDevicesQueue = QQueue< QBluetoothAddress >; } // namespace spx #endif // BTTYPES_HPP
fe6be8c8a0491b2f52ad5ba28676ee58317942c2
2f7226a693b9702ec8d84677aa0bca63f3c05de7
/Platformer/Debug.cpp
7ce8d07cca8a61575bfcd6c7134d8440ae6bc04c
[ "BSD-3-Clause" ]
permissive
sauerkrause/chessnut
0d44f55daa02583bd28587b1520cb6e6005933bf
77e5ff4b57e84d6343f1b423d17942f390b5d564
refs/heads/master
2021-01-15T13:01:48.912051
2013-08-23T00:39:58
2013-08-23T00:39:58
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,547
cpp
Debug.cpp
#include <string.h> #include "Debug.h" #ifdef DEBUG_ENABLED // this will allow for compilation to skip when debug is not enabled. Debugger g_cDebugger; Debugger::Debugger() { m_bOutputToDebugger = true; ///< output to debugger. m_bPrependFileInfo = true; ///< output filename and line in debug messages. m_bWriteOutHeader = true; ///< output header onto debug output. Init(); } Debugger::~Debugger() { Release(); } void Debugger::Init() { if(m_bWriteOutHeader) { bool temp = m_bPrependFileInfo; m_bPrependFileInfo = false; Printf("**** Sick Engine started\n"); m_bPrependFileInfo = temp; } } void Debugger::Release() { if(m_bWriteOutHeader) { bool temp = m_bPrependFileInfo; m_bPrependFileInfo = false; Printf("**** Sick Engine ending\n"); m_bPrependFileInfo = temp; //why do I even bother with this sort of thing? } } void Debugger::SetSource(char *file, int line) { char* p = strrchr(file, '\\'); //scans string for last occurrence of \ (folder delimiter) if(p==NULL) strcpy_s(m_szFileName, file); //set the file name because it is in root directory. else strcpy_s(m_szFileName,(char *)(p+1)); //sets the file name to only characters after last \ character. m_nLineNumber = line; //sets the line number to the input parameter. } /// Printf function /// \param format printf style format string void Debugger::Printf(const char* format,...) { if(m_bPrependFileInfo) // if we want to prepend these, sprintf_s(m_szOutBuffer, "%s(%d): ", m_szFileName, m_nLineNumber); else m_szOutBuffer[0] = '\0'; //set first character to null pointer (empty string) //append debug message from parameter list using charv , chara formatting. va_list arglist; va_start(arglist, format); //sprintf_s function for stdio style formatting. _vsnprintf_s((char*)(m_szOutBuffer+strlen(m_szOutBuffer)),sizeof(m_szOutBuffer), sizeof(m_szOutBuffer)-strlen(m_szOutBuffer),format,arglist); va_end(arglist); // output to vs debugger. if(m_bOutputToDebugger) OutputDebugString(m_szOutBuffer); //all this just to output some text... :-/ } //extern CDebugManager g_cDebugger; ///< so we can access the class from below function //yay for non-member functions. //only call if you have a debugger initialized. void RealDebugPrintF(const char *fmt, ...) { static char buffer[1024]; va_list ap; va_start(ap,fmt); _vsnprintf_s(buffer, sizeof(buffer), fmt, ap); g_cDebugger.Printf("%s", buffer); va_end(ap); } #endif
9525616fdd935b7ff57b832ef0926556ac0f763f
9184e230f8b212e8f686a466c84ecc89abe375d1
/arcseventdata/tests/lib/test_Histogrammer4.cc
c5ba7f6d91445d94375a2a300e23285a8459c85c
[]
no_license
danse-inelastic/DrChops
75b793d806e6351dde847f1d92ab6eebb1ef24d2
7ba4ce07a5a4645942192b4b81f7afcae505db90
refs/heads/master
2022-04-26T17:37:41.666851
2015-05-02T23:21:13
2015-05-02T23:21:13
34,094,584
0
1
null
2020-09-10T01:50:10
2015-04-17T03:30:52
Python
UTF-8
C++
false
false
1,359
cc
test_Histogrammer4.cc
#include <cstring> #include <iostream> #include "histogram/EvenlySpacedGridData_4D.h" #include "arcseventdata/Event.h" #include "arcseventdata/Event2Quantity.h" #include "arcseventdata/Histogrammer.h" using namespace ARCS_EventData; //4D class Event2pdpt: public Event2Quantity4<unsigned int, unsigned int, unsigned int, double> { public: unsigned int operator() ( const Event & e, unsigned int & pack, unsigned int & tube, unsigned int &pixel, double &tof ) const { pack = e.pixelID/1024 + 1; tube = e.pixelID/128 % 8; pixel = e.pixelID % 128; tof = e.tof/10.; return 1; } }; int main() { using namespace ARCS_EventData; using namespace DANSE::Histogram; typedef EvenlySpacedGridData_4D<unsigned int, unsigned int, unsigned int, double, unsigned int> Ipdpt; unsigned int * intensities = new unsigned int[ 115*8*128*100 ]; Ipdpt ipdpt ( 1, 116, 1, 0, 8, 1, 0, 128, 1, 1000, 2000, 10., intensities ); ipdpt.clear(); assert (ipdpt(21, 3, 77, 1250) == 0); Event2pdpt e2pdpt; Histogrammer4<Event, Ipdpt, Event2pdpt, unsigned int, unsigned int, unsigned int, double, unsigned int> her( ipdpt, e2pdpt ); Event e = { 12500, (21-1)*1024+3*128+77 }; her( e ); assert (ipdpt(21, 3, 77, 1250) == 1); delete [] intensities; return 0; }
858da48317d5419dfd011f532d5586c2fedbb2f2
52b6797078fbda2048c85ba586d5f87055c906ee
/Medium/longest-palindromic-substring.cpp
08f5549977e54216995fde871263cf4fba966cf9
[]
no_license
bhawan0407/leetcode
e7401cfb2a91d0e89c9ad9187e778bbbe9d704f8
c5ca594faf331e7a0a68b86f4c36736c8edd36c7
refs/heads/master
2022-12-02T13:57:25.856792
2020-08-24T13:20:58
2020-08-24T13:20:58
276,657,866
0
0
null
null
null
null
UTF-8
C++
false
false
1,195
cpp
longest-palindromic-substring.cpp
class Solution { public: string longestPalindrome(string s) { int n = s.length(); int ans = 0; int count = 0; int x = 0; int y = 0; int j,k; for(int i = 0; i < n; i++) { k = i; j = i; count = -1; while(k >= 0 && j < n && s[k] == s[j]) { count += 2; if(ans < count) { ans = count; x = k; y = j; } k--; j++; } k = i; j = i+1; count = 0; while(k >= 0 && j < n && s[k] == s[j]) { count += 2; if(ans < count) { ans = count; x = k; y = j; } k--; j++; } } return s.substr(x, y-x+1); } };
f87d5e0d8599cdfe8c2e3c112026322223f28f0f
4e14a9f752f39613138b07ab348403d0461bb11a
/intermediate/vectoresyMatrices/examenes.cpp
e23e162f602bb79a5e6fb7a39adb1c297d78be16
[]
permissive
eduardorasgado/CppZerotoAdvance2018
2184a4341ad49c94c8300d1da909bdc63f48a2df
909cc0f0e1521fd9ca83795bf84cbb9f725d9d4f
refs/heads/master
2021-07-25T18:43:30.530066
2020-04-14T09:26:46
2020-04-14T09:26:46
147,120,147
1
1
MIT
2018-10-05T11:04:04
2018-09-02T20:40:29
C++
UTF-8
C++
false
false
1,288
cpp
examenes.cpp
#include <iostream> using namespace std; int main(){ cout << "***CALCULO DE EXAMENES***\n"; float examen1, examen2, examen3; int aprobadosTodos = 0; int aprobaronUnExamen = 0; int aprobadoUltimo = 0; // datos para 5 alumnos for(int i = 1; i <= 5; i++){ cout << i << ". Digite la nota del primer examen: "; cin >> examen1; cout << i << ". Digite la nota del segundo examen: "; cin >> examen2; cout << i << ". Digite la nota del tercer examen: "; cin >> examen3; // calculo de los condicionales //aprobaron el ultimo examen if (examen3 > 5){ aprobadoUltimo++; } //aprobaron los tres examenes if (examen1 > 5 && examen1 > 5 && examen3 > 5){ aprobadosTodos++; } //aprobaron solo un examen else if (examen1 > 5 || examen2 > 5 || examen3 > 5){ aprobaronUnExamen++; } cout << "\n"; } cout << "Los alumnos que aprobaron todos los examenes fueron: " << aprobadosTodos << endl; cout << "Los alumnos que aprobaron al menos un examen fueron: " << aprobaronUnExamen << endl; cout << "Los alumnos que aprobaron el ultimo examen fueron: " << aprobadoUltimo << endl; return 0; }
3ad24d1743ad443083606b9b9d2f377b735ee176
6e304ef47b4640de70af55430a9b56136ca2e055
/combinations.cpp
570a481ba4898d6bb1c28a4028739b5f9f80a4a6
[]
no_license
zhanjl/LeetCode
9e6361475b83e83eecd0d684c5c4d3fc58c49671
9407d12119f27b322ba484b50948816018e24a27
refs/heads/master
2021-01-21T11:37:22.008471
2015-06-23T09:14:49
2015-06-23T09:14:49
24,532,015
1
0
null
null
null
null
UTF-8
C++
false
false
485
cpp
combinations.cpp
//循环递归 void generate(int n, int k, int beg, vector<int> item, vector<vector<int> > &res) { if (k == 0) { res.push_back(item); return; } int i; for (i = beg; i <= n+1-k; i++) { item.push_back(i); generate(n, k-1, i+1, item, res); item.pop_back(); } } vector<vector<int> > combine(int n, int k) { vector<vector<int> > result; vector<int> item; generate(n, k, 1, item, result); return result; }
50b97215d96b19c6d8af805734e5cc5806f3d8df
69f51c429ddbf1e147b55477982df97df7b2ef4c
/MoistureSensor/moisture.cpp
b9d5a296d536bc4b40ea8f5b1fa985500b04cabf
[]
no_license
albaniac/PlantAutoWateringSystem
bfb531fae6bd1bca335bf44ce4098aa3232363a8
803c6c91b95ff64ebc3dff43c243763939a2eadd
refs/heads/master
2020-04-11T22:50:30.598589
2018-06-01T23:04:58
2018-06-01T23:04:58
null
0
0
null
null
null
null
UTF-8
C++
false
false
983
cpp
moisture.cpp
#include "moisture.h" #include "Arduino.h" int moisturePin, moisturePowerPin, soil; moisture::moisture() { } moisture::moisture(int mPin) { moisturePin = mPin; } moisture::moisture(int mPin, int mPowerPin) { moisturePin = mPin; moisturePowerPin = mPowerPin; pinMode(moisturePowerPin, OUTPUT); } int moisture::moistureTest() { checkMoisture(); soil = percent(soil); return soil; } int moisture::getMoisture() { return soil; } int moisture::percent(int value) { //change analog reading to percentage number value = map(value, 0, 1025, 0, 100); value = map(value, 0, 100, 100, 0); return value; } int moisture::checkMoisture() { digitalWrite(moisturePowerPin, HIGH); // digitalWrite(led, HIGH); not included at this time delay(500); soil = analogRead(moisturePin); delay(50); digitalWrite(moisturePowerPin, LOW); // digitalWrite(led, LOW); return soil; }
d6cbd4a8f3e7a264d85f5be20ec4201f1b7d3133
59bc21cd74ec37710d7f01e9b21a1f13b52ecadf
/PEG Judge/COCI08 #1 - Skocimis.cpp
519a3d7e690c66a7f7029b11156a71c0cf0d816b
[]
no_license
Md-Sanaul-Haque-Shanto/Competitive-Contest-Problesm-Solutions
c10d631fab4360f20556a19f26d5375c3e948b9a
94466ba2e1d46555863f57a84614a4d67ae9acfb
refs/heads/master
2020-03-19T18:49:53.064243
2018-06-10T16:58:42
2018-06-10T16:58:42
136,827,312
0
0
null
null
null
null
UTF-8
C++
false
false
548
cpp
COCI08 #1 - Skocimis.cpp
/* Bismillah Hir Rahmanir Rahim Md Sanaul Haque Shanto Email : mdsanaulhaqueshanto@gmail.com Solution Date : Jan 12/17, 12:18:12 am BDT Problems Link: https://wcipeg.com/problem/coci081p1 */ #include <algorithm> #include <iostream> using namespace std; inline void use_io_optimizations() { ios_base::sync_with_stdio(false); cin.tie(nullptr); } int main() { use_io_optimizations(); unsigned int a; unsigned int b; unsigned int c; cin >> a >> b >> c; cout << max(b - a, c - b) - 1 << '\n'; return 0; }
368ee6d79d7618b5c47c636b4a5cd634cce0fe01
010279e2ba272d09e9d2c4e903722e5faba2cf7a
/library/cpp/json/fast_sax/unescape.cpp
72109b0b5e697ff9c3d42d2522b9bf48e21c16b9
[ "Apache-2.0" ]
permissive
catboost/catboost
854c1a1f439a96f1ae6b48e16644be20aa04dba2
f5042e35b945aded77b23470ead62d7eacefde92
refs/heads/master
2023-09-01T12:14:14.174108
2023-09-01T10:01:01
2023-09-01T10:22:12
97,556,265
8,012
1,425
Apache-2.0
2023-09-11T03:32:32
2017-07-18T05:29:04
Python
UTF-8
C++
false
false
201
cpp
unescape.cpp
#include "unescape.h" #include <util/string/escape.h> TStringBuf UnescapeJsonUnicode(TStringBuf data, char* scratch) { return TStringBuf(scratch, UnescapeC(data.data(), data.size(), scratch)); }
90219be089dc139e12260e60dfdb4834dbf4b338
7111fd2245ff26b940f483514a3f06da87ba1aa8
/StandardSelectionSet.h
deae8e01daf565e3b6c552289fa6c129d2d01702
[]
no_license
FuzzyCat444/GlowTetris
d020aa2a5116f0bd4ce79e1bf0dee3f97b5874b4
bb5e6669a012767a3e3556e075bb5ac04d7dbb22
refs/heads/master
2023-02-02T20:26:05.646459
2020-12-21T21:04:44
2020-12-21T21:04:44
323,447,415
4
0
null
null
null
null
UTF-8
C++
false
false
287
h
StandardSelectionSet.h
#pragma once #include "Selection.h" class StandardSelectionSet { public: Selection boxSelection(); Selection lineSelection(); Selection tSelection(); Selection squiggleSelection(); Selection reverseSquiggleSelection(); Selection lSelection(); Selection reverseLSelection(); };
3f1b9e148b7ab56c63333d4d4634f4cb05c4655e
f9478afe649d1734412a1c10ad953e2c82be1cb9
/src/draw/Drawable.h
d508bb5711f7b389e9b30d0b7d14f1927390c5d8
[]
no_license
blaavogn-games/voxel-world
bb7657dcc51b3098a4e1e48ff4299165cac5d38d
2b27c0b18e9743d77e027b84b088fc6e14e846be
refs/heads/master
2021-01-24T07:30:39.758251
2017-06-04T22:47:26
2017-06-04T22:47:26
93,345,939
0
0
null
null
null
null
UTF-8
C++
false
false
378
h
Drawable.h
#ifndef DRAWABLE_H #define DRAWABLE_H #include "../geom/Vector2.h" #include "../shader/Shader.h" class Drawable { protected: Vector2 position; public: Drawable(float x, float y) : position(x,y){}; virtual ~Drawable(){}; virtual void Draw(float time) = 0; virtual void SetPosition(Vector2 pos) = 0; Vector2 GetPosition(){return position.Copy();}; }; #endif
ff06fe1574bfddbe3ebc18eb782998fd2b9f430a
65ac7d055ae41f6d9dcb132314ab64f775f7426f
/Enlivengine/Enlivengine/Core/System.hpp
671597fe009b379f21c54f44227d3a39d65174c1
[]
no_license
brucelevis/Enlivengine
62185c5eeadf5c350c8c28e95daffd011f2dedce
30c082b5f1211615d9d96589d5d90cba75626a0b
refs/heads/master
2023-02-03T16:45:51.990544
2020-12-23T02:27:54
2020-12-23T02:27:54
null
0
0
null
null
null
null
UTF-8
C++
false
false
297
hpp
System.hpp
#pragma once #include <Enlivengine/Platform/Time.hpp> namespace en { class World; class System { public: System(World& world); virtual ~System(); virtual void Update(Time dt); virtual void Render(); protected: World& mWorld; }; } // namespace en
706e73575b2cbe21afd830d82eab6216c2e744e4
2251dbb6945597e3d2f3ef34aeb2f01561a2c607
/main.cpp
334b7b9d8b9480b64ead5b4655238dc326bb25e7
[ "MIT" ]
permissive
mlitola/HeroesWakeup
a57ab0819404a5e3e4d0816ab43e92a0c9c1d419
25cdc58932e2452f4913db84934a06553fa2ea50
refs/heads/master
2020-04-25T03:04:10.476596
2019-04-07T17:10:21
2019-04-07T17:10:21
172,463,157
0
0
null
null
null
null
UTF-8
C++
false
false
360
cpp
main.cpp
#include <QApplication> #include <QHBoxLayout> #include "mainwindow.h" int main(int argc, char *argv[]) { QApplication app(argc, argv); MainWindow w; w.resize(800, 480); w.setStyleSheet("background-image: url(./graphics/background_native.png);"); w.show(); return app.exec(); } void quitApp(QGuiApplication app) { app.exit(); }
54e9478e8b915402c7a07d0c851bf06d1d512fca
41c37b62efe5a89ee3f4df25e6b21d55f5eb54fb
/common/ByteContainer.h
103ae16182dff0cc55eac7a61e36885be1dd0df2
[]
no_license
wtrsltnk/HLLoader
20b57e01e302c1dcb5f83bfc03c574b4bddcd2bf
de286162c4c0ecb78c5b29f87cd525f8f4e98df8
refs/heads/master
2020-12-03T00:36:15.635730
2017-07-02T21:05:36
2017-07-02T21:05:36
96,048,973
4
2
null
null
null
null
UTF-8
C++
false
false
865
h
ByteContainer.h
// ByteContainer.h: interface for the CByteContainer class. // ////////////////////////////////////////////////////////////////////// #ifndef BYTECONTAINER_H #define BYTECONTAINER_H typedef unsigned char byte; typedef unsigned short word; class CByteContainer { private: char* ByteData; int ByteLength; int BytePosition; bool DoubleBuffer(); void CheckSize(int size); public: CByteContainer(); virtual ~CByteContainer(); int GetData(char** data); void AddFloat(float in); void AddFloat(float in[], int count); void AddInteger(int in); void AddInteger(int in[], int count); void AddByte(byte in); void AddByte(byte in[], int count); void AddWord(word in); void AddWord(word in[], int count); void AddCharacter(char in); void AddCharacter(char in[], int count); void AddBoolean(bool in); void AddBoolean(bool in[], int count); }; #endif
729d1acb54054d4451db5de0765812bfb4461cf0
c2d240ed4fb89d563b4a85b8fc1281de0919e28d
/may/4/devstr.cpp
b09b454bc5b94c6b8c28b02010110a0d15879c90
[]
no_license
tyrion94/codechef
116cd982b5f98daf9351841a20ad2945514b7147
98bb41facd948fddf74da40d36613f9bd1a9e879
refs/heads/master
2016-09-05T20:47:35.460840
2015-06-12T18:45:05
2015-06-12T18:45:05
37,321,249
0
0
null
null
null
null
UTF-8
C++
false
false
656
cpp
devstr.cpp
#include<iostream> using namespace std; int main() { long long int test; cin>>test; while(test--) { long long int n,k; char a[100000]; cin>>n>>k; cin>>a; long long int ctr ; int flag ; if(k == 1); else { for(long long int i = 0 ;i<n-k;i++) { ctr = flag = 0; for(long long int j = i+1;j<i+k+1;j++) { if(a[i]!=a[j]) { flag = 1; break; } } if(flag == 0) { if(a[k+i+1]!=a[k+i]) { if(a[k+i-1] == '0')a[k+i-1] = '1'; else a[k+i-1] = '0'; } else { if(a[k+i] == '0') a[k+i] = '1'; else a[k+i] = '0'; } i=i+k; } } } cout<<a<<endl; } return 0; }
20ec7011e8ec49ac75f4a3b9005b371b795c4729
f06cc732009049850e39af375c209d019c5b2641
/LISP Interpretor/src/sexpression.h
2fa51fd1ce516b20ded5624434e841ac6e6149c0
[]
no_license
rajaditya-m/Lisp-Interpreter
b74fab642a030494fea658204c866219397cbe27
0df847c6c04896f5d2168d19c23170eb36400a2d
refs/heads/master
2020-05-18T03:14:58.072802
2013-03-23T01:25:35
2013-03-23T01:25:35
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,319
h
sexpression.h
// // sexpression.h // LISP Interpretor // // Created by Rajaditya Mukherjee on 2/22/13. // Copyright (c) 2013 Rajaditya Mukherjee. All rights reserved. // #ifndef __LISP_Interpretor__sexpression__ #define __LISP_Interpretor__sexpression__ #include <iostream> #include <cstring> using namespace std; class SExp { public: //Accessor Methods SExp* getCAR() {return car_; } SExp* getCDR() {return cdr_; } SExp* getParent() {return parent_; } int getIntegerID() {return intVal_; } string getStringID() {return stringVal_; } bool isAtom() {return isAtom_; } bool isString() {return isString_; } bool isNull() {return !(std::strcmp(stringVal_.c_str(),"NIL")); } bool isCAR() {return isCAR_; } //Mutator Methods void setStringID(std::string stringVal__) { stringVal_ = stringVal__; } void setIntegerID(int intVal__) { intVal_ = intVal__; } void setIsAtom(bool isAtom__) { isAtom_ = isAtom__; } void setIsString(bool isString__) { isString_ = isString__; } void setCAR(SExp* car__) { car_ = car__; } void setCDR(SExp* cdr__) { cdr_ = cdr__; } void setParent(SExp* parent__) { parent_ = parent__; } void setIsCAR(bool isCar__) { isCAR_ =isCar__; } //Functions that will be defined in headers SExp(); SExp(int val); SExp(string str); SExp(SExp* cr,SExp* cd); void applyCons(SExp* car, SExp* cdr); void toString(); void toListFormat(); bool eqByName(std::string name); bool getPureEquality(SExp* op); private: SExp* car_; SExp* cdr_; SExp* parent_; int intVal_; string stringVal_; bool isAtom_; bool isString_; bool isCAR_; }; #endif /* defined(__LISP_Interpretor__sexpression__) */
2902d5e041f098a924778625c92307ad452a224a
c84a674914b53d5a2f74538b1f42c76fd2be60fa
/SOS/transmitter/transmitter.ino
ab980a0591f4f3cb6a2ac27a07cb43473368339e
[]
no_license
DSERIOUSGUY/EC_WHEEL
a90bbc016d9e6cf21df01012faefb6ffcebf29ce
f4d618d1e631b246fc364942a277adfda9e8e209
refs/heads/main
2023-04-03T17:08:56.853621
2021-03-30T17:46:50
2021-03-30T17:46:50
340,031,201
1
0
null
null
null
null
UTF-8
C++
false
false
3,298
ino
transmitter.ino
//------------Header Files------------// #include<Adafruit_SSD1306.h> #include<painlessMesh.h> #include <Wire.h> //#include <Arduino_JSON.h> //------------Mesh Definitions------------// #define MESH_PREFIX "testMesh" #define MESH_PASSWORD "password" #define MESH_PORT 5555 // to control your personal task Scheduler userScheduler; painlessMesh mesh; uint32_t nodeId; String userName = "User B"; //------------Misc Definitions------------// #define ping 5 #define normal 6 #define urgent 7 uint8_t postCode = 0; /*postCode defs : * 1 - OLED not able to initialize * 2 - reply could not be sent */ // User stub void sendHelpRequestMessage() ; // Prototype so PlatformIO doesn't complain Task taskSendHelpRequestMessage( TASK_SECOND * 1 , 1, &sendHelpRequestMessage ); void sendHelpRequestMessage() { if(digitalRead(normal) == HIGH) { String msg = "Help requested"; mesh.sendBroadcast( msg ); } } // User stub void sendUrgentHelpRequestMessage() ; // Prototype so PlatformIO doesn't complain Task taskSendUrgentHelpRequestMessage( TASK_SECOND * 1 , 1, &sendHelpRequestMessage ); void sendUrgentHelpRequestMessage() { if(digitalRead(urgent) == HIGH) { String msg = "URGENT Help requested"; mesh.sendBroadcast( msg ); } } // Needed for painless library void receivedCallback( uint32_t from, String &msg ) { Serial.println(msg.c_str()); } void newConnectionCallback(uint32_t nodeId) { Serial.printf("New Connection, nodeId = %u\n", nodeId); } void changedConnectionCallback() { Serial.printf("Changed connections\n"); } void nodeTimeAdjustedCallback(int32_t offset) { Serial.printf("Adjusted time %u. Offset = %d\n", mesh.getNodeTime(),offset); } #define LED_BUILTIN 2 //------------Setup------------// void setup() { Wire.begin(); Serial.begin(115200); pinMode(LED_BUILTIN, OUTPUT); pinMode(ping, INPUT); pinMode(normal, INPUT); pinMode(urgent, INPUT); Serial.println("setup \n"); //setting oled parameters mesh.setDebugMsgTypes( ERROR | STARTUP ); // set before init() so that you can see startup messages nodeId = mesh.getNodeId(); mesh.init( MESH_PREFIX, MESH_PASSWORD, &userScheduler, MESH_PORT ); //nodeId is only for debugging purposes Serial.print("Node ID: "); Serial.println(nodeId); mesh.onReceive(&receivedCallback); mesh.onNewConnection(&newConnectionCallback); mesh.onChangedConnections(&changedConnectionCallback); mesh.onNodeTimeAdjusted(&nodeTimeAdjustedCallback); userScheduler.addTask( taskSendHelpRequestMessage ); userScheduler.addTask( taskSendUrgentHelpRequestMessage ); } //------------Loop------------// void loop() { //adding mechanism for detecting error code without use of serial monitor if(postCode) { Serial.print("ERROR! code: "); Serial.print(postCode); for(int i=0;i<postCode;i++) { digitalWrite(LED_BUILTIN,HIGH); delay(500); digitalWrite(LED_BUILTIN,LOW); delay(500); } delay(2000); } else { if (digitalRead(urgent) == HIGH) { taskSendUrgentHelpRequestMessage.enable(); } else if (digitalRead(normal) == HIGH) { taskSendHelpRequestMessage.enable(); } mesh.update(); } }
d61d95261be718c066ca6ba4a1d0779bac5a5eff
b5b3a404b62d634eab649f8529456a97da2d8481
/source/Ashes/Ashes/Src/Image/StagingTexture.cpp
0b38ecdb9afa90fafe061447cb16bf02be9ba966
[ "MIT" ]
permissive
sunshadown/Ashes
c977b0330fcebce5fdc200a5d08dbaa6c47e5b1f
1b14f064c65cbdd40b6fe543188355189e91b5c2
refs/heads/master
2020-04-16T12:38:03.434323
2019-01-11T22:10:19
2019-01-11T22:11:05
null
0
0
null
null
null
null
UTF-8
C++
false
false
5,473
cpp
StagingTexture.cpp
/* This file belongs to Ashes. See LICENSE file in root folder. */ #include "Image/StagingTexture.hpp" #include "Core/Device.hpp" #include "Core/Exception.hpp" #include "Image/Texture.hpp" #include "Image/TextureView.hpp" #include "Miscellaneous/Offset2D.hpp" #include "Sync/BufferMemoryBarrier.hpp" #include "Sync/ImageMemoryBarrier.hpp" namespace ashes { StagingTexture::StagingTexture( Device const & device , Extent2D const & extent ) : m_device{ device } { } void StagingTexture::uploadTextureData( CommandBuffer const & commandBuffer , ImageSubresourceLayers const & subresourceLayers , Format format , Offset3D const & offset , Extent2D const & extent , uint8_t const * const data , TextureView const & view )const { doCopyToStagingTexture( data , format , extent ); commandBuffer.begin( ashes::CommandBufferUsageFlag::eOneTimeSubmit ); commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTopOfPipe , ashes::PipelineStageFlag::eTransfer , view.makeTransferDestination( ashes::ImageLayout::eUndefined , 0u ) ); doCopyStagingToDestination( commandBuffer , subresourceLayers , format , offset , extent , view ); commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTransfer , ashes::PipelineStageFlag::eFragmentShader , view.makeShaderInputResource( ashes::ImageLayout::eTransferDstOptimal , ashes::AccessFlag::eTransferWrite ) ); commandBuffer.end(); auto fence = m_device.createFence(); m_device.getGraphicsQueue().submit( commandBuffer , fence.get() ); fence->wait( ashes::FenceTimeout ); } void StagingTexture::uploadTextureData( CommandBuffer const & commandBuffer , Format format , uint8_t const * const data , TextureView const & view )const { auto extent = Extent3D{ view.getTexture().getDimensions() }; auto mipLevel = view.getSubResourceRange().baseMipLevel; extent.width = std::max( 1u, extent.width >> mipLevel ); extent.height = std::max( 1u, extent.height >> mipLevel ); uploadTextureData( commandBuffer , { getAspectMask( view.getFormat() ), mipLevel, view.getSubResourceRange().baseArrayLayer, view.getSubResourceRange().layerCount } , format , Offset3D{} , { extent.width, extent.height } , data , view ); } void StagingTexture::copyTextureData( CommandBuffer const & commandBuffer , Format format , TextureView const & view )const { auto extent = view.getTexture().getDimensions(); auto mipLevel = view.getSubResourceRange().baseMipLevel; extent.width = std::max( 1u, extent.width >> mipLevel ); extent.height = std::max( 1u, extent.height >> mipLevel ); copyTextureData( commandBuffer , { getAspectMask( view.getFormat() ), mipLevel, view.getSubResourceRange().baseArrayLayer, view.getSubResourceRange().layerCount } , format , Offset3D{} , { extent.width, extent.height } , view ); } void StagingTexture::copyTextureData( CommandBuffer const & commandBuffer , ImageSubresourceLayers const & subresourceLayers , Format format , Offset3D const & offset , Extent2D const & extent , TextureView const & view )const { commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTopOfPipe , ashes::PipelineStageFlag::eTransfer , view.makeTransferDestination( ashes::ImageLayout::eUndefined , 0u ) ); doCopyStagingToDestination( commandBuffer , subresourceLayers , format , offset , extent , view ); commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTransfer , ashes::PipelineStageFlag::eFragmentShader , view.makeShaderInputResource( ashes::ImageLayout::eTransferDstOptimal , ashes::AccessFlag::eTransferWrite ) ); } void StagingTexture::downloadTextureData( CommandBuffer const & commandBuffer , ImageSubresourceLayers const & subresourceLayers , Format format , Offset3D const & offset , Extent2D const & extent , uint8_t * data , TextureView const & view )const { commandBuffer.begin( ashes::CommandBufferUsageFlag::eOneTimeSubmit ); commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTopOfPipe , ashes::PipelineStageFlag::eTransfer , view.makeTransferSource( ashes::ImageLayout::eUndefined , 0u ) ); doCopyDestinationToStaging( commandBuffer , subresourceLayers , format , offset , extent , view ); commandBuffer.memoryBarrier( ashes::PipelineStageFlag::eTransfer , ashes::PipelineStageFlag::eFragmentShader , view.makeShaderInputResource( ashes::ImageLayout::eTransferSrcOptimal , ashes::AccessFlag::eTransferRead ) ); commandBuffer.end(); auto fence = m_device.createFence(); m_device.getGraphicsQueue().submit( commandBuffer , fence.get() ); fence->wait( ashes::FenceTimeout ); doCopyFromStagingTexture( data , format , extent ); } void StagingTexture::downloadTextureData( CommandBuffer const & commandBuffer , Format format , uint8_t * data , TextureView const & view )const { auto extent = view.getTexture().getDimensions(); auto mipLevel = view.getSubResourceRange().baseMipLevel; extent.width = std::max( 1u, extent.width >> mipLevel ); extent.height = std::max( 1u, extent.height >> mipLevel ); downloadTextureData( commandBuffer , { getAspectMask( view.getFormat() ), mipLevel, view.getSubResourceRange().baseArrayLayer, view.getSubResourceRange().layerCount } , format , Offset3D{} , { extent.width, extent.height } , data , view ); } }
5171791f7a5d170bb4358345c36e38dc2b006262
c3b63aa34e4922006535867a6fe7c7517f2cf73b
/Display.h
72a6580a4ba86b47b238e07a396f8645b60f4ead
[ "MIT" ]
permissive
mserafin/Excavator-Simulator
ebcd0ff2cf4b87f2688b47637e67a1f2a1cc65b6
2768ae563cfbe065af29491067619f5a71b646fd
refs/heads/master
2020-03-24T19:35:02.759030
2018-08-08T19:55:36
2018-08-08T19:55:36
142,935,006
2
2
null
null
null
null
UTF-8
C++
false
false
244
h
Display.h
#pragma once #include "Arduino.h" #include "LiquidCrystal_I2C.h" class Display : public LiquidCrystal_I2C { public: Display(); void display(String text, bool clear = true, uint8_t x = 0, uint8_t y = 0); protected: private: };
59a20f0ac627565f32e2851800a72eb1091160cc
fca2b354b8aec94d383dbeb95af050a41029ae0a
/Unity-iPhone/Classes/Native/Bulk_UnityEngine_2.cpp
65f0ebbb82a4d6069c9afdeaac04b91c0fd58b09
[]
no_license
woodygreen/Unity3DTouchWithTodayExtension
1d3c4eec4665286564f366a5109da8a0997e97ac
865c3e06b48d68dea020d11eb09d7b45f6643040
refs/heads/master
2021-07-14T16:01:22.818212
2017-10-18T02:03:39
2017-10-18T02:03:39
107,346,399
1
0
null
null
null
null
UTF-8
C++
false
false
1,035,082
cpp
Bulk_UnityEngine_2.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 "class-internals.h" #include "codegen/il2cpp-codegen.h" #include "object-internals.h" // UnityEngine.Collider2D struct Collider2D_t1683084049; // System.String struct String_t; // System.Object[] struct ObjectU5BU5D_t846638089; // UnityEngine.RectOffset struct RectOffset_t603374043; // UnityEngine.RectTransform struct RectTransform_t3407578435; // UnityEngine.RectTransform/ReapplyDrivenProperties struct ReapplyDrivenProperties_t176550961; // System.Delegate struct Delegate_t321273466; // UnityEngine.Vector3[] struct Vector3U5BU5D_t4045887177; // UnityEngine.Component struct Component_t1099781993; // UnityEngine.Transform struct Transform_t1640584944; // UnityEngine.Object struct Object_t1699899486; // System.IAsyncResult struct IAsyncResult_t2663544742; // System.AsyncCallback struct AsyncCallback_t3736623411; // UnityEngine.Camera struct Camera_t2217315075; // UnityEngine.Canvas struct Canvas_t3766332218; // UnityEngine.RemoteSettings/UpdatedEventHandler struct UpdatedEventHandler_t4030213559; // UnityEngine.Renderer struct Renderer_t2033234653; // UnityEngine.RenderTexture struct RenderTexture_t20074727; // UnityEngine.RequireComponent struct RequireComponent_t3347582808; // System.Type struct Type_t; // System.Attribute struct Attribute_t3000105177; // UnityEngine.ResourceRequest struct ResourceRequest_t2870213725; // UnityEngine.AsyncOperation struct AsyncOperation_t1471752968; // UnityEngine.Rigidbody struct Rigidbody_t2944185830; // UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode> struct UnityAction_2_t324713334; // UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene> struct UnityAction_1_t1759667896; // UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene> struct UnityAction_2_t2810360728; // UnityEngine.ScriptableObject struct ScriptableObject_t3476656374; // UnityEngine.Scripting.APIUpdating.MovedFromAttribute struct MovedFromAttribute_t3568563588; // UnityEngine.Scripting.GeneratedByOldBindingsGeneratorAttribute struct GeneratedByOldBindingsGeneratorAttribute_t950238300; // UnityEngine.Scripting.RequiredByNativeCodeAttribute struct RequiredByNativeCodeAttribute_t1030793160; // UnityEngine.Scripting.UsedByNativeCodeAttribute struct UsedByNativeCodeAttribute_t1852015182; // UnityEngine.ScrollViewState struct ScrollViewState_t3487613754; // UnityEngine.SelectionBaseAttribute struct SelectionBaseAttribute_t1488500766; // UnityEngine.Camera[] struct CameraU5BU5D_t1852821906; // UnityEngine.GUILayer struct GUILayer_t1038811396; // UnityEngine.GUIElement struct GUIElement_t3542088430; // UnityEngine.GameObject struct GameObject_t1817748288; // UnityEngine.Serialization.FormerlySerializedAsAttribute struct FormerlySerializedAsAttribute_t941627579; // UnityEngine.SerializeField struct SerializeField_t1863693842; // UnityEngine.SerializePrivateVariables struct SerializePrivateVariables_t4284723356; // System.Collections.IEnumerator struct IEnumerator_t1666370751; // System.ArgumentException struct ArgumentException_t2901442306; // UnityEngine.SharedBetweenAnimatorsAttribute struct SharedBetweenAnimatorsAttribute_t3116496384; // UnityEngine.SliderState struct SliderState_t1221064395; // UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform struct GameCenterPlatform_t329252249; // UnityEngine.SocialPlatforms.Impl.AchievementDescription struct AchievementDescription_t3742507101; // UnityEngine.Texture2D struct Texture2D_t4076404164; // System.Action`1<UnityEngine.SocialPlatforms.IAchievementDescription[]> struct Action_1_t2750265789; // UnityEngine.SocialPlatforms.IAchievementDescription[] struct IAchievementDescriptionU5BU5D_t4125941313; // System.Action`1<System.Object> struct Action_1_t4053461524; // UnityEngine.SocialPlatforms.IAchievementDescription struct IAchievementDescription_t1664896704; // System.Action`2<System.Boolean,System.String> struct Action_2_t4026259155; // System.Action`2<System.Boolean,System.Object> struct Action_2_t617342774; // UnityEngine.SocialPlatforms.Impl.UserProfile[] struct UserProfileU5BU5D_t1816242286; // UnityEngine.SocialPlatforms.Impl.UserProfile struct UserProfile_t778432599; // System.Action`1<System.Boolean> struct Action_1_t1048568049; // UnityEngine.SocialPlatforms.Impl.LocalUser struct LocalUser_t3045384341; // UnityEngine.SocialPlatforms.IUserProfile[] struct IUserProfileU5BU5D_t3837827452; // UnityEngine.SocialPlatforms.IUserProfile struct IUserProfile_t1735038433; // System.Action`1<UnityEngine.SocialPlatforms.IAchievement[]> struct Action_1_t1823282900; // UnityEngine.SocialPlatforms.GameCenter.GcAchievementData[] struct GcAchievementDataU5BU5D_t1581875115; // UnityEngine.SocialPlatforms.Impl.Achievement struct Achievement_t4251433276; // UnityEngine.SocialPlatforms.IAchievement[] struct IAchievementU5BU5D_t3198958424; // UnityEngine.SocialPlatforms.IAchievement struct IAchievement_t2980498485; // System.Action`1<UnityEngine.SocialPlatforms.IScore[]> struct Action_1_t1525134164; // UnityEngine.SocialPlatforms.GameCenter.GcScoreData[] struct GcScoreDataU5BU5D_t2002748746; // UnityEngine.SocialPlatforms.Impl.Score struct Score_t3892511509; // UnityEngine.SocialPlatforms.IScore[] struct IScoreU5BU5D_t2900809688; // UnityEngine.SocialPlatforms.IScore struct IScore_t3580365237; // UnityEngine.SocialPlatforms.ILocalUser struct ILocalUser_t4261952037; // UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0 struct U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426; // UnityEngine.SocialPlatforms.ILeaderboard struct ILeaderboard_t3196922668; // UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard struct GcLeaderboard_t1548357845; // UnityEngine.SocialPlatforms.Impl.Leaderboard struct Leaderboard_t1235456057; // System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard> struct List_1_t2786718293; // System.Collections.Generic.List`1<System.Object> struct List_1_t2372530200; // System.String[] struct StringU5BU5D_t2238447960; // System.Action`1<UnityEngine.SocialPlatforms.IUserProfile[]> struct Action_1_t2462151928; // UnityEngine.SpaceAttribute struct SpaceAttribute_t658595587; // UnityEngine.PropertyAttribute struct PropertyAttribute_t3175850472; // UnityEngine.SphereCollider struct SphereCollider_t2017910708; // UnityEngine.Collider struct Collider_t997197530; // UnityEngine.Sprite struct Sprite_t987320674; // System.Diagnostics.StackTrace struct StackTrace_t3914800897; // System.Text.StringBuilder struct StringBuilder_t1873629251; // System.Exception struct Exception_t4051195559; // System.Char[] struct CharU5BU5D_t1671368807; // System.Reflection.ParameterInfo struct ParameterInfo_t2527786478; // UnityEngine.StateMachineBehaviour struct StateMachineBehaviour_t2729640527; // UnityEngine.Animator struct Animator_t2755805336; // UnityEngine.TextAreaAttribute struct TextAreaAttribute_t3509639333; // UnityEngine.TextEditor struct TextEditor_t73873660; // UnityEngine.GUIStyle struct GUIStyle_t350904686; // UnityEngine.GUIContent struct GUIContent_t2918791183; // UnityEngine.TextGenerationSettings struct TextGenerationSettings_t987435647; // UnityEngine.TextGenerator struct TextGenerator_t2161547030; // System.Collections.Generic.List`1<UnityEngine.UIVertex> struct List_1_t2822604285; // System.Collections.Generic.List`1<UnityEngine.UICharInfo> struct List_1_t1760015106; // System.Collections.Generic.List`1<UnityEngine.UILineInfo> struct List_1_t4059619465; // UnityEngine.Font struct Font_t3940830037; // System.Collections.Generic.IList`1<UnityEngine.UIVertex> struct IList_1_t929884955; // System.Collections.Generic.IList`1<UnityEngine.UICharInfo> struct IList_1_t4162263072; // System.Collections.Generic.IList`1<UnityEngine.UILineInfo> struct IList_1_t2166900135; // UnityEngine.Texture struct Texture_t735859423; // UnityEngine.ThreadAndSerializationSafeAttribute struct ThreadAndSerializationSafeAttribute_t3708378210; // UnityEngine.TooltipAttribute struct TooltipAttribute_t2393142556; // UnityEngine.TouchScreenKeyboard struct TouchScreenKeyboard_t2626315871; // UnityEngine.TrackedReference struct TrackedReference_t2314189973; // UnityEngine.Transform/Enumerator struct Enumerator_t4074900053; // System.Action`1<UnityEngine.U2D.SpriteAtlas> struct Action_1_t3078164784; // UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback struct RequestAtlasCallback_t1094793114; // UnityEngine.U2D.SpriteAtlas struct SpriteAtlas_t158873012; // UnityEngine.SocialPlatforms.Impl.AchievementDescription[] struct AchievementDescriptionU5BU5D_t332302736; // System.Globalization.CultureInfo struct CultureInfo_t2719651858; // System.Globalization.NumberFormatInfo struct NumberFormatInfo_t2825615539; // System.Globalization.DateTimeFormatInfo struct DateTimeFormatInfo_t296154761; // System.Globalization.TextInfo struct TextInfo_t422972285; // System.Globalization.CompareInfo struct CompareInfo_t3015390308; // System.Globalization.Calendar[] struct CalendarU5BU5D_t1456403590; // System.Globalization.Calendar struct Calendar_t2535355423; // System.Byte[] struct ByteU5BU5D_t3148662776; // System.Collections.Hashtable struct Hashtable_t707197099; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> struct Dictionary_2_t1211576255; // System.Int32 struct Int32_t722418373; // System.Void struct Void_t2676950004; // System.Reflection.MethodBase struct MethodBase_t2368758312; // UnityEngine.UILineInfo[] struct UILineInfoU5BU5D_t3611287220; // UnityEngine.UICharInfo[] struct UICharInfoU5BU5D_t2095611447; // UnityEngine.UIVertex[] struct UIVertexU5BU5D_t2012532976; // UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard[] struct GcLeaderboardU5BU5D_t2382704696; // UnityEngine.SendMouseEvents/HitInfo[] struct HitInfoU5BU5D_t1129894377; // System.IntPtr[] struct IntPtrU5BU5D_t618347919; // System.Collections.IDictionary struct IDictionary_t3032527710; // System.Diagnostics.StackFrame[] struct StackFrameU5BU5D_t3556748418; // System.Boolean[] struct BooleanU5BU5D_t509588760; // System.Byte struct Byte_t2706768917; // System.Double struct Double_t2479991417; // System.UInt16 struct UInt16_t2966043799; // System.Reflection.MethodInfo struct MethodInfo_t; // System.DelegateData struct DelegateData_t1870450026; // System.Type[] struct TypeU5BU5D_t2854371266; // System.Reflection.MemberFilter struct MemberFilter_t2796342550; // UnityEngine.GUIStyleState struct GUIStyleState_t1881122624; // System.Action`1<UnityEngine.Font> struct Action_1_t2565154513; // UnityEngine.Font/FontTextureRebuildCallback struct FontTextureRebuildCallback_t3959427492; // System.Int32[] struct Int32U5BU5D_t1771696264; // System.Reflection.MemberInfo struct MemberInfo_t; // System.Reflection.Emit.UnmanagedMarshal struct UnmanagedMarshal_t2076293930; // UnityEngine.Camera/CameraCallback struct CameraCallback_t2825462926; // UnityEngine.Canvas/WillRenderCanvases struct WillRenderCanvases_t284919308; extern RuntimeClass* Rect_t2469536665_il2cpp_TypeInfo_var; extern const uint32_t Rect_Equals_m3702227355_MetadataUsageId; extern RuntimeClass* ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var; extern RuntimeClass* Single_t3328667513_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral4190490091; extern const uint32_t Rect_ToString_m2781561511_MetadataUsageId; extern RuntimeClass* Il2CppComObject_il2cpp_TypeInfo_var; extern const uint32_t RectOffset_t603374043_pinvoke_FromNativeMethodDefinition_MetadataUsageId; extern const uint32_t RectOffset_t603374043_com_FromNativeMethodDefinition_MetadataUsageId; extern RuntimeClass* Int32_t722418373_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2331679364; extern const uint32_t RectOffset_ToString_m3127206676_MetadataUsageId; extern RuntimeClass* RectTransform_t3407578435_il2cpp_TypeInfo_var; extern RuntimeClass* ReapplyDrivenProperties_t176550961_il2cpp_TypeInfo_var; extern const uint32_t RectTransform_add_reapplyDrivenProperties_m410075154_MetadataUsageId; extern const uint32_t RectTransform_remove_reapplyDrivenProperties_m1454208630_MetadataUsageId; extern const uint32_t RectTransform_SendReapplyDrivenProperties_m2731732542_MetadataUsageId; extern RuntimeClass* Debug_t388371763_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral81114824; extern const uint32_t RectTransform_GetLocalCorners_m2199595827_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral3257568127; extern const uint32_t RectTransform_GetWorldCorners_m829995937_MetadataUsageId; extern RuntimeClass* Vector2_t1870731928_il2cpp_TypeInfo_var; extern const uint32_t RectTransform_set_offsetMin_m182144280_MetadataUsageId; extern const uint32_t RectTransform_set_offsetMax_m1732183102_MetadataUsageId; extern RuntimeClass* Object_t1699899486_il2cpp_TypeInfo_var; extern const uint32_t RectTransform_GetParentSize_m618469586_MetadataUsageId; extern RuntimeClass* RectTransformUtility_t3614849597_il2cpp_TypeInfo_var; extern RuntimeClass* Vector3_t1874995928_il2cpp_TypeInfo_var; extern RuntimeClass* Quaternion_t1904711730_il2cpp_TypeInfo_var; extern const uint32_t RectTransformUtility_ScreenPointToWorldPointInRectangle_m2138441022_MetadataUsageId; extern const uint32_t RectTransformUtility_ScreenPointToLocalPointInRectangle_m2621875661_MetadataUsageId; extern const uint32_t RectTransformUtility_ScreenPointToRay_m3254631918_MetadataUsageId; extern const uint32_t RectTransformUtility_FlipLayoutOnAxis_m2556600855_MetadataUsageId; extern const uint32_t RectTransformUtility_FlipLayoutAxes_m7419031_MetadataUsageId; extern const uint32_t RectTransformUtility_RectangleContainsScreenPoint_m727638651_MetadataUsageId; extern const uint32_t RectTransformUtility_PixelAdjustPoint_m2079187242_MetadataUsageId; extern const uint32_t RectTransformUtility_PixelAdjustRect_m1753024680_MetadataUsageId; extern RuntimeClass* Vector3U5BU5D_t4045887177_il2cpp_TypeInfo_var; extern const uint32_t RectTransformUtility__cctor_m542629147_MetadataUsageId; extern RuntimeClass* RemoteSettings_t3551676527_il2cpp_TypeInfo_var; extern const uint32_t RemoteSettings_CallOnUpdate_m2782037885_MetadataUsageId; extern RuntimeClass* Scene_t2427896891_il2cpp_TypeInfo_var; extern const uint32_t Scene_Equals_m1172862761_MetadataUsageId; extern RuntimeClass* SceneManager_t3410669746_il2cpp_TypeInfo_var; extern const RuntimeMethod* UnityAction_2_Invoke_m3477131479_RuntimeMethod_var; extern const uint32_t SceneManager_Internal_SceneLoaded_m1257067979_MetadataUsageId; extern const RuntimeMethod* UnityAction_1_Invoke_m2798480181_RuntimeMethod_var; extern const uint32_t SceneManager_Internal_SceneUnloaded_m4223308018_MetadataUsageId; extern const RuntimeMethod* UnityAction_2_Invoke_m967090385_RuntimeMethod_var; extern const uint32_t SceneManager_Internal_ActiveSceneChanged_m1171664896_MetadataUsageId; extern const uint32_t ScriptableObject__ctor_m3631352648_MetadataUsageId; extern RuntimeClass* SendMouseEvents_t1768250992_il2cpp_TypeInfo_var; extern const uint32_t SendMouseEvents_SetMouseMoved_m941229115_MetadataUsageId; extern RuntimeClass* Input_t410419983_il2cpp_TypeInfo_var; extern RuntimeClass* CameraU5BU5D_t1852821906_il2cpp_TypeInfo_var; extern RuntimeClass* HitInfo_t2599499320_il2cpp_TypeInfo_var; extern RuntimeClass* Mathf_t568077252_il2cpp_TypeInfo_var; extern const RuntimeMethod* Component_GetComponent_TisGUILayer_t1038811396_m2215024115_RuntimeMethod_var; extern const uint32_t SendMouseEvents_DoSendMouseEvents_m2228758719_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral1206760803; extern Il2CppCodeGenString* _stringLiteral2492306873; extern Il2CppCodeGenString* _stringLiteral3042218702; extern Il2CppCodeGenString* _stringLiteral710843729; extern Il2CppCodeGenString* _stringLiteral3299235925; extern Il2CppCodeGenString* _stringLiteral3017948348; extern Il2CppCodeGenString* _stringLiteral1844343784; extern const uint32_t SendMouseEvents_SendEvents_m2289449225_MetadataUsageId; extern RuntimeClass* HitInfoU5BU5D_t1129894377_il2cpp_TypeInfo_var; extern const uint32_t SendMouseEvents__cctor_m3055085222_MetadataUsageId; extern const uint32_t HitInfo_op_Implicit_m782259180_MetadataUsageId; extern const uint32_t HitInfo_Compare_m1546430160_MetadataUsageId; extern RuntimeClass* IntPtr_t_il2cpp_TypeInfo_var; extern RuntimeClass* ArgumentException_t2901442306_il2cpp_TypeInfo_var; extern RuntimeClass* IEnumerator_t1666370751_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2786296049; extern Il2CppCodeGenString* _stringLiteral2095179893; extern const uint32_t SetupCoroutine_InvokeMoveNext_m1261602493_MetadataUsageId; extern const uint32_t SetupCoroutine_InvokeMember_m4146568543_MetadataUsageId; extern RuntimeClass* GameCenterPlatform_t329252249_il2cpp_TypeInfo_var; extern RuntimeClass* AchievementDescriptionU5BU5D_t332302736_il2cpp_TypeInfo_var; extern const uint32_t GameCenterPlatform_ClearAchievementDescriptions_m2235334466_MetadataUsageId; extern const uint32_t GameCenterPlatform_SetAchievementDescription_m3963324272_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral266389815; extern const uint32_t GameCenterPlatform_SetAchievementDescriptionImage_m108113028_MetadataUsageId; extern const RuntimeMethod* Action_1_Invoke_m2746668395_RuntimeMethod_var; extern Il2CppCodeGenString* _stringLiteral4073345528; extern const uint32_t GameCenterPlatform_TriggerAchievementDescriptionCallback_m1064543378_MetadataUsageId; extern const RuntimeMethod* Action_2_Invoke_m1128856205_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_AuthenticateCallbackWrapper_m3938533837_MetadataUsageId; extern const uint32_t GameCenterPlatform_ClearFriends_m2553343369_MetadataUsageId; extern const uint32_t GameCenterPlatform_SetFriends_m532713416_MetadataUsageId; extern const uint32_t GameCenterPlatform_SetFriendImage_m3433731488_MetadataUsageId; extern const RuntimeMethod* Action_1_Invoke_m1133068632_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_TriggerFriendsCallbackWrapper_m1507876970_MetadataUsageId; extern RuntimeClass* AchievementU5BU5D_t3750456917_il2cpp_TypeInfo_var; extern const RuntimeMethod* Action_1_Invoke_m910388323_RuntimeMethod_var; extern Il2CppCodeGenString* _stringLiteral4159876336; extern const uint32_t GameCenterPlatform_AchievementCallbackWrapper_m2141121670_MetadataUsageId; extern const uint32_t GameCenterPlatform_ProgressCallbackWrapper_m686696151_MetadataUsageId; extern const uint32_t GameCenterPlatform_ScoreCallbackWrapper_m2417848615_MetadataUsageId; extern RuntimeClass* ScoreU5BU5D_t2970152184_il2cpp_TypeInfo_var; extern const RuntimeMethod* Action_1_Invoke_m2015132353_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_ScoreLoaderCallbackWrapper_m587717450_MetadataUsageId; extern const uint32_t GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_LoadFriends_m4032720414_MetadataUsageId; extern RuntimeClass* U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426_il2cpp_TypeInfo_var; extern RuntimeClass* Action_2_t4026259155_il2cpp_TypeInfo_var; extern RuntimeClass* ISocialPlatform_t2528451192_il2cpp_TypeInfo_var; extern const RuntimeMethod* U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_U3CU3Em__0_m3583293179_RuntimeMethod_var; extern const RuntimeMethod* Action_2__ctor_m3583425613_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m3831637566_MetadataUsageId; extern const uint32_t GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m282946112_MetadataUsageId; extern RuntimeClass* LocalUser_t3045384341_il2cpp_TypeInfo_var; extern RuntimeClass* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral375227176; extern const uint32_t GameCenterPlatform_get_localUser_m2938302122_MetadataUsageId; extern const uint32_t GameCenterPlatform_PopulateLocalUser_m3719370520_MetadataUsageId; extern const uint32_t GameCenterPlatform_LoadAchievementDescriptions_m3155029372_MetadataUsageId; extern const uint32_t GameCenterPlatform_ReportProgress_m2637321995_MetadataUsageId; extern const uint32_t GameCenterPlatform_LoadAchievements_m810504650_MetadataUsageId; extern const uint32_t GameCenterPlatform_ReportScore_m2143987691_MetadataUsageId; extern const uint32_t GameCenterPlatform_LoadScores_m3983886206_MetadataUsageId; extern RuntimeClass* Leaderboard_t1235456057_il2cpp_TypeInfo_var; extern RuntimeClass* GcLeaderboard_t1548357845_il2cpp_TypeInfo_var; extern RuntimeClass* ILeaderboard_t3196922668_il2cpp_TypeInfo_var; extern const RuntimeMethod* List_1_Add_m1533241721_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_LoadScores_m99116272_MetadataUsageId; extern const uint32_t GameCenterPlatform_LeaderboardCallbackWrapper_m2690283155_MetadataUsageId; extern const RuntimeMethod* List_1_GetEnumerator_m3771643728_RuntimeMethod_var; extern const RuntimeMethod* Enumerator_get_Current_m40059937_RuntimeMethod_var; extern const RuntimeMethod* Enumerator_MoveNext_m3737903147_RuntimeMethod_var; extern const RuntimeMethod* Enumerator_Dispose_m4104499181_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_GetLoading_m232710182_MetadataUsageId; extern RuntimeClass* ILocalUser_t4261952037_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral4030074125; extern const uint32_t GameCenterPlatform_VerifyAuthentication_m1144857153_MetadataUsageId; extern const uint32_t GameCenterPlatform_ShowAchievementsUI_m3237921740_MetadataUsageId; extern const uint32_t GameCenterPlatform_ShowLeaderboardUI_m1126333633_MetadataUsageId; extern const uint32_t GameCenterPlatform_ClearUsers_m259132603_MetadataUsageId; extern const uint32_t GameCenterPlatform_SetUser_m1960710317_MetadataUsageId; extern const uint32_t GameCenterPlatform_SetUserImage_m1853422507_MetadataUsageId; extern const RuntimeMethod* Action_1_Invoke_m2629015408_RuntimeMethod_var; extern const uint32_t GameCenterPlatform_TriggerUsersCallbackWrapper_m1469520178_MetadataUsageId; extern RuntimeClass* UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var; extern const uint32_t GameCenterPlatform_LoadUsers_m1544506207_MetadataUsageId; extern RuntimeClass* Texture2D_t4076404164_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1658879633; extern Il2CppCodeGenString* _stringLiteral54482512; extern const uint32_t GameCenterPlatform_SafeSetUserImage_m3739650778_MetadataUsageId; extern const uint32_t GameCenterPlatform_SafeClearArray_m43097675_MetadataUsageId; extern const uint32_t GameCenterPlatform_CreateLeaderboard_m4103692963_MetadataUsageId; extern RuntimeClass* Achievement_t4251433276_il2cpp_TypeInfo_var; extern const uint32_t GameCenterPlatform_CreateAchievement_m3286002913_MetadataUsageId; extern const uint32_t GameCenterPlatform_TriggerResetAchievementCallback_m2261201290_MetadataUsageId; extern const uint32_t GameCenterPlatform_ResetAllAchievements_m1765626009_MetadataUsageId; extern const uint32_t GameCenterPlatform_ShowDefaultAchievementCompletionBanner_m4126192294_MetadataUsageId; extern const uint32_t GameCenterPlatform_ShowLeaderboardUI_m3871395800_MetadataUsageId; extern RuntimeClass* List_1_t2786718293_il2cpp_TypeInfo_var; extern const RuntimeMethod* List_1__ctor_m2610310665_RuntimeMethod_var; extern const uint32_t GameCenterPlatform__cctor_m2036503733_MetadataUsageId; extern const uint32_t U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_U3CU3Em__0_m3583293179_MetadataUsageId; extern const uint32_t GcAchievementData_ToAchievement_m2864824249_MetadataUsageId; extern RuntimeClass* AchievementDescription_t3742507101_il2cpp_TypeInfo_var; extern const uint32_t GcAchievementDescriptionData_ToAchievementDescription_m3182921715_MetadataUsageId; extern const uint32_t GcLeaderboard_SetScores_m4004430391_MetadataUsageId; extern RuntimeClass* Score_t3892511509_il2cpp_TypeInfo_var; extern const uint32_t GcScoreData_ToScore_m698126957_MetadataUsageId; extern RuntimeClass* UserProfile_t778432599_il2cpp_TypeInfo_var; extern const uint32_t GcUserProfileData_ToUserProfile_m1327921777_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral1119694770; extern const uint32_t GcUserProfileData_AddToArray_m2546734469_MetadataUsageId; extern RuntimeClass* DateTime_t816944984_il2cpp_TypeInfo_var; extern const uint32_t Achievement__ctor_m3303477699_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral1360904670; extern const uint32_t Achievement__ctor_m2586477369_MetadataUsageId; extern RuntimeClass* Double_t2479991417_il2cpp_TypeInfo_var; extern RuntimeClass* Boolean_t2424243573_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1440445895; extern const uint32_t Achievement_ToString_m3010572378_MetadataUsageId; extern const uint32_t AchievementDescription_ToString_m1669013835_MetadataUsageId; extern RuntimeClass* StringU5BU5D_t2238447960_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3814447630; extern const uint32_t Leaderboard__ctor_m1837150948_MetadataUsageId; extern RuntimeClass* UInt32_t2538635477_il2cpp_TypeInfo_var; extern RuntimeClass* UserScope_t1971278910_il2cpp_TypeInfo_var; extern RuntimeClass* TimeScope_t2868242971_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3768427018; extern Il2CppCodeGenString* _stringLiteral350686890; extern Il2CppCodeGenString* _stringLiteral596665235; extern Il2CppCodeGenString* _stringLiteral1485941235; extern Il2CppCodeGenString* _stringLiteral503155397; extern Il2CppCodeGenString* _stringLiteral1907094602; extern Il2CppCodeGenString* _stringLiteral1877171292; extern Il2CppCodeGenString* _stringLiteral632659514; extern Il2CppCodeGenString* _stringLiteral1428058895; extern Il2CppCodeGenString* _stringLiteral550843971; extern const uint32_t Leaderboard_ToString_m111318342_MetadataUsageId; extern const uint32_t LocalUser__ctor_m2973983157_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral2971679517; extern const uint32_t Score__ctor_m1186786678_MetadataUsageId; extern RuntimeClass* Int64_t258685067_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1818617330; extern Il2CppCodeGenString* _stringLiteral2736760701; extern Il2CppCodeGenString* _stringLiteral1415067843; extern Il2CppCodeGenString* _stringLiteral2613433234; extern Il2CppCodeGenString* _stringLiteral2804915597; extern const uint32_t Score_ToString_m2836540047_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral1886896764; extern const uint32_t UserProfile__ctor_m2569318417_MetadataUsageId; extern RuntimeClass* UserState_t1300169449_il2cpp_TypeInfo_var; extern const uint32_t UserProfile_ToString_m4153500030_MetadataUsageId; extern RuntimeClass* StackTraceUtility_t1106565147_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3155759022; extern Il2CppCodeGenString* _stringLiteral2520512109; extern const uint32_t StackTraceUtility_SetProjectFolder_m2022505082_MetadataUsageId; extern RuntimeClass* StackTrace_t3914800897_il2cpp_TypeInfo_var; extern const uint32_t StackTraceUtility_ExtractStackTrace_m3946418256_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral2882163420; extern Il2CppCodeGenString* _stringLiteral3461029862; extern Il2CppCodeGenString* _stringLiteral1368048827; extern Il2CppCodeGenString* _stringLiteral3114442462; extern Il2CppCodeGenString* _stringLiteral366467432; extern Il2CppCodeGenString* _stringLiteral1342845095; extern const uint32_t StackTraceUtility_IsSystemStacktraceType_m2631224500_MetadataUsageId; extern RuntimeClass* Exception_t4051195559_il2cpp_TypeInfo_var; extern RuntimeClass* StringBuilder_t1873629251_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral430278102; extern Il2CppCodeGenString* _stringLiteral2956557643; extern Il2CppCodeGenString* _stringLiteral248166046; extern Il2CppCodeGenString* _stringLiteral3711752762; extern Il2CppCodeGenString* _stringLiteral1685798741; extern const uint32_t StackTraceUtility_ExtractStringFromExceptionInternal_m662838667_MetadataUsageId; extern RuntimeClass* CharU5BU5D_t1671368807_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral971450288; extern Il2CppCodeGenString* _stringLiteral3492183812; extern Il2CppCodeGenString* _stringLiteral2872227605; extern Il2CppCodeGenString* _stringLiteral3092419737; extern Il2CppCodeGenString* _stringLiteral3117839678; extern Il2CppCodeGenString* _stringLiteral3460431775; extern Il2CppCodeGenString* _stringLiteral1399753458; extern Il2CppCodeGenString* _stringLiteral1178549135; extern Il2CppCodeGenString* _stringLiteral3574466675; extern Il2CppCodeGenString* _stringLiteral2020299746; extern Il2CppCodeGenString* _stringLiteral2720867913; extern Il2CppCodeGenString* _stringLiteral2795292417; extern Il2CppCodeGenString* _stringLiteral316542235; extern Il2CppCodeGenString* _stringLiteral3690340301; extern const uint32_t StackTraceUtility_PostprocessStacktrace_m3409170859_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral2309138634; extern Il2CppCodeGenString* _stringLiteral1377346068; extern Il2CppCodeGenString* _stringLiteral3063526633; extern Il2CppCodeGenString* _stringLiteral30244748; extern Il2CppCodeGenString* _stringLiteral3423009148; extern Il2CppCodeGenString* _stringLiteral2433814651; extern Il2CppCodeGenString* _stringLiteral2130172608; extern Il2CppCodeGenString* _stringLiteral1435223225; extern Il2CppCodeGenString* _stringLiteral2575833514; extern Il2CppCodeGenString* _stringLiteral1801473435; extern Il2CppCodeGenString* _stringLiteral417149562; extern Il2CppCodeGenString* _stringLiteral2244799922; extern const uint32_t StackTraceUtility_ExtractFormattedStackTrace_m1401531514_MetadataUsageId; extern const uint32_t StackTraceUtility__cctor_m1882590219_MetadataUsageId; extern RuntimeClass* GUIStyle_t350904686_il2cpp_TypeInfo_var; extern RuntimeClass* GUIContent_t2918791183_il2cpp_TypeInfo_var; extern const uint32_t TextEditor__ctor_m2719320640_MetadataUsageId; extern const uint32_t TextGenerationSettings_CompareColors_m149343600_MetadataUsageId; extern const uint32_t TextGenerationSettings_CompareVector2_m3113383972_MetadataUsageId; extern const uint32_t TextGenerationSettings_Equals_m4053434414_MetadataUsageId; struct TextGenerationSettings_t987435647_marshaled_pinvoke; struct TextGenerationSettings_t987435647;; struct TextGenerationSettings_t987435647_marshaled_pinvoke;; struct TextGenerationSettings_t987435647_marshaled_com; struct TextGenerationSettings_t987435647_marshaled_com;; extern RuntimeClass* List_1_t2822604285_il2cpp_TypeInfo_var; extern RuntimeClass* List_1_t1760015106_il2cpp_TypeInfo_var; extern RuntimeClass* List_1_t4059619465_il2cpp_TypeInfo_var; extern const RuntimeMethod* List_1__ctor_m3052573227_RuntimeMethod_var; extern const RuntimeMethod* List_1__ctor_m252818309_RuntimeMethod_var; extern const RuntimeMethod* List_1__ctor_m1538939669_RuntimeMethod_var; extern const uint32_t TextGenerator__ctor_m3372066549_MetadataUsageId; extern RuntimeClass* IDisposable_t2439038856_il2cpp_TypeInfo_var; extern const uint32_t TextGenerator_Finalize_m1049723382_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral4142973515; extern Il2CppCodeGenString* _stringLiteral1120775228; extern const uint32_t TextGenerator_ValidatedSettings_m2194582883_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral904486537; extern Il2CppCodeGenString* _stringLiteral249715042; extern const uint32_t TextGenerator_PopulateWithErrors_m1025011007_MetadataUsageId; extern const uint32_t TextGenerator_PopulateWithError_m1391715733_MetadataUsageId; extern const uint32_t TextGenerator_Populate_Internal_m4154461145_MetadataUsageId; extern const uint32_t Texture__ctor_m1592747347_MetadataUsageId; extern const uint32_t Texture2D__ctor_m1311730241_MetadataUsageId; extern RuntimeClass* TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663_il2cpp_TypeInfo_var; extern RuntimeClass* TouchScreenKeyboardType_t2126995860_il2cpp_TypeInfo_var; extern RuntimeClass* Convert_t2300086662_il2cpp_TypeInfo_var; extern const uint32_t TouchScreenKeyboard__ctor_m1058353684_MetadataUsageId; extern const uint32_t TouchScreenKeyboard_Open_m463637665_MetadataUsageId; extern const uint32_t TouchScreenKeyboard_Open_m3913404102_MetadataUsageId; extern RuntimeClass* TouchScreenKeyboard_t2626315871_il2cpp_TypeInfo_var; extern const uint32_t TouchScreenKeyboard_Open_m3316539007_MetadataUsageId; extern const uint32_t TrackedReference_op_Equality_m1749353678_MetadataUsageId; extern RuntimeClass* TrackedReference_t2314189973_il2cpp_TypeInfo_var; extern const uint32_t TrackedReference_Equals_m491341108_MetadataUsageId; extern const uint32_t Transform_get_forward_m380309718_MetadataUsageId; extern Il2CppCodeGenString* _stringLiteral891115231; extern const uint32_t Transform_set_parent_m2276928473_MetadataUsageId; extern RuntimeClass* Enumerator_t4074900053_il2cpp_TypeInfo_var; extern const uint32_t Transform_GetEnumerator_m3376926407_MetadataUsageId; extern RuntimeClass* SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var; extern RuntimeClass* Action_1_t3078164784_il2cpp_TypeInfo_var; extern const RuntimeMethod* SpriteAtlasManager_Register_m1510873806_RuntimeMethod_var; extern const RuntimeMethod* Action_1__ctor_m3126567319_RuntimeMethod_var; extern const uint32_t SpriteAtlasManager_RequestAtlas_m1103509052_MetadataUsageId; extern const uint32_t SpriteAtlasManager__cctor_m1082597862_MetadataUsageId; struct GUIStyleState_t1881122624_marshaled_pinvoke; struct GUIStyleState_t1881122624_marshaled_com; struct RectOffset_t603374043_marshaled_com; struct ObjectU5BU5D_t846638089; struct Vector3U5BU5D_t4045887177; struct CameraU5BU5D_t1852821906; struct HitInfoU5BU5D_t1129894377; struct ParameterModifierU5BU5D_t2494495189; struct StringU5BU5D_t2238447960; struct AchievementDescriptionU5BU5D_t332302736; struct IAchievementDescriptionU5BU5D_t4125941313; struct UserProfileU5BU5D_t1816242286; struct IUserProfileU5BU5D_t3837827452; struct GcAchievementDataU5BU5D_t1581875115; struct AchievementU5BU5D_t3750456917; struct IAchievementU5BU5D_t3198958424; struct GcScoreDataU5BU5D_t2002748746; struct ScoreU5BU5D_t2970152184; struct IScoreU5BU5D_t2900809688; struct CharU5BU5D_t1671368807; struct ParameterInfoU5BU5D_t1179451035; #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 GAMECENTERPLATFORM_T329252249_H #define GAMECENTERPLATFORM_T329252249_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform struct GameCenterPlatform_t329252249 : public RuntimeObject { public: public: }; struct GameCenterPlatform_t329252249_StaticFields { public: // System.Action`2<System.Boolean,System.String> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_AuthenticateCallback Action_2_t4026259155 * ___s_AuthenticateCallback_0; // UnityEngine.SocialPlatforms.Impl.AchievementDescription[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_adCache AchievementDescriptionU5BU5D_t332302736* ___s_adCache_1; // UnityEngine.SocialPlatforms.Impl.UserProfile[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_friends UserProfileU5BU5D_t1816242286* ___s_friends_2; // UnityEngine.SocialPlatforms.Impl.UserProfile[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_users UserProfileU5BU5D_t1816242286* ___s_users_3; // System.Action`1<System.Boolean> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_ResetAchievements Action_1_t1048568049 * ___s_ResetAchievements_4; // UnityEngine.SocialPlatforms.Impl.LocalUser UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::m_LocalUser LocalUser_t3045384341 * ___m_LocalUser_5; // System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::m_GcBoards List_1_t2786718293 * ___m_GcBoards_6; public: inline static int32_t get_offset_of_s_AuthenticateCallback_0() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___s_AuthenticateCallback_0)); } inline Action_2_t4026259155 * get_s_AuthenticateCallback_0() const { return ___s_AuthenticateCallback_0; } inline Action_2_t4026259155 ** get_address_of_s_AuthenticateCallback_0() { return &___s_AuthenticateCallback_0; } inline void set_s_AuthenticateCallback_0(Action_2_t4026259155 * value) { ___s_AuthenticateCallback_0 = value; Il2CppCodeGenWriteBarrier((&___s_AuthenticateCallback_0), value); } inline static int32_t get_offset_of_s_adCache_1() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___s_adCache_1)); } inline AchievementDescriptionU5BU5D_t332302736* get_s_adCache_1() const { return ___s_adCache_1; } inline AchievementDescriptionU5BU5D_t332302736** get_address_of_s_adCache_1() { return &___s_adCache_1; } inline void set_s_adCache_1(AchievementDescriptionU5BU5D_t332302736* value) { ___s_adCache_1 = value; Il2CppCodeGenWriteBarrier((&___s_adCache_1), value); } inline static int32_t get_offset_of_s_friends_2() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___s_friends_2)); } inline UserProfileU5BU5D_t1816242286* get_s_friends_2() const { return ___s_friends_2; } inline UserProfileU5BU5D_t1816242286** get_address_of_s_friends_2() { return &___s_friends_2; } inline void set_s_friends_2(UserProfileU5BU5D_t1816242286* value) { ___s_friends_2 = value; Il2CppCodeGenWriteBarrier((&___s_friends_2), value); } inline static int32_t get_offset_of_s_users_3() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___s_users_3)); } inline UserProfileU5BU5D_t1816242286* get_s_users_3() const { return ___s_users_3; } inline UserProfileU5BU5D_t1816242286** get_address_of_s_users_3() { return &___s_users_3; } inline void set_s_users_3(UserProfileU5BU5D_t1816242286* value) { ___s_users_3 = value; Il2CppCodeGenWriteBarrier((&___s_users_3), value); } inline static int32_t get_offset_of_s_ResetAchievements_4() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___s_ResetAchievements_4)); } inline Action_1_t1048568049 * get_s_ResetAchievements_4() const { return ___s_ResetAchievements_4; } inline Action_1_t1048568049 ** get_address_of_s_ResetAchievements_4() { return &___s_ResetAchievements_4; } inline void set_s_ResetAchievements_4(Action_1_t1048568049 * value) { ___s_ResetAchievements_4 = value; Il2CppCodeGenWriteBarrier((&___s_ResetAchievements_4), value); } inline static int32_t get_offset_of_m_LocalUser_5() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___m_LocalUser_5)); } inline LocalUser_t3045384341 * get_m_LocalUser_5() const { return ___m_LocalUser_5; } inline LocalUser_t3045384341 ** get_address_of_m_LocalUser_5() { return &___m_LocalUser_5; } inline void set_m_LocalUser_5(LocalUser_t3045384341 * value) { ___m_LocalUser_5 = value; Il2CppCodeGenWriteBarrier((&___m_LocalUser_5), value); } inline static int32_t get_offset_of_m_GcBoards_6() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t329252249_StaticFields, ___m_GcBoards_6)); } inline List_1_t2786718293 * get_m_GcBoards_6() const { return ___m_GcBoards_6; } inline List_1_t2786718293 ** get_address_of_m_GcBoards_6() { return &___m_GcBoards_6; } inline void set_m_GcBoards_6(List_1_t2786718293 * value) { ___m_GcBoards_6 = value; Il2CppCodeGenWriteBarrier((&___m_GcBoards_6), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // GAMECENTERPLATFORM_T329252249_H #ifndef REMOTESETTINGS_T3551676527_H #define REMOTESETTINGS_T3551676527_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RemoteSettings struct RemoteSettings_t3551676527 : public RuntimeObject { public: public: }; struct RemoteSettings_t3551676527_StaticFields { public: // UnityEngine.RemoteSettings/UpdatedEventHandler UnityEngine.RemoteSettings::Updated UpdatedEventHandler_t4030213559 * ___Updated_0; public: inline static int32_t get_offset_of_Updated_0() { return static_cast<int32_t>(offsetof(RemoteSettings_t3551676527_StaticFields, ___Updated_0)); } inline UpdatedEventHandler_t4030213559 * get_Updated_0() const { return ___Updated_0; } inline UpdatedEventHandler_t4030213559 ** get_address_of_Updated_0() { return &___Updated_0; } inline void set_Updated_0(UpdatedEventHandler_t4030213559 * value) { ___Updated_0 = value; Il2CppCodeGenWriteBarrier((&___Updated_0), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // REMOTESETTINGS_T3551676527_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 TIME_T1218265482_H #define TIME_T1218265482_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Time struct Time_t1218265482 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TIME_T1218265482_H #ifndef CULTUREINFO_T2719651858_H #define CULTUREINFO_T2719651858_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_t2719651858 : public RuntimeObject { public: // System.Boolean System.Globalization.CultureInfo::m_isReadOnly bool ___m_isReadOnly_7; // System.Int32 System.Globalization.CultureInfo::cultureID int32_t ___cultureID_8; // System.Int32 System.Globalization.CultureInfo::parent_lcid int32_t ___parent_lcid_9; // System.Int32 System.Globalization.CultureInfo::specific_lcid int32_t ___specific_lcid_10; // System.Int32 System.Globalization.CultureInfo::datetime_index int32_t ___datetime_index_11; // System.Int32 System.Globalization.CultureInfo::number_index int32_t ___number_index_12; // System.Boolean System.Globalization.CultureInfo::m_useUserOverride bool ___m_useUserOverride_13; // System.Globalization.NumberFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::numInfo NumberFormatInfo_t2825615539 * ___numInfo_14; // System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::dateTimeInfo DateTimeFormatInfo_t296154761 * ___dateTimeInfo_15; // System.Globalization.TextInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::textInfo TextInfo_t422972285 * ___textInfo_16; // System.String System.Globalization.CultureInfo::m_name String_t* ___m_name_17; // System.String System.Globalization.CultureInfo::displayname String_t* ___displayname_18; // System.String System.Globalization.CultureInfo::englishname String_t* ___englishname_19; // System.String System.Globalization.CultureInfo::nativename String_t* ___nativename_20; // System.String System.Globalization.CultureInfo::iso3lang String_t* ___iso3lang_21; // System.String System.Globalization.CultureInfo::iso2lang String_t* ___iso2lang_22; // System.String System.Globalization.CultureInfo::icu_name String_t* ___icu_name_23; // System.String System.Globalization.CultureInfo::win3lang String_t* ___win3lang_24; // System.String System.Globalization.CultureInfo::territory String_t* ___territory_25; // System.Globalization.CompareInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::compareInfo CompareInfo_t3015390308 * ___compareInfo_26; // System.Int32* System.Globalization.CultureInfo::calendar_data int32_t* ___calendar_data_27; // System.Void* System.Globalization.CultureInfo::textinfo_data void* ___textinfo_data_28; // System.Globalization.Calendar[] System.Globalization.CultureInfo::optional_calendars CalendarU5BU5D_t1456403590* ___optional_calendars_29; // System.Globalization.CultureInfo System.Globalization.CultureInfo::parent_culture CultureInfo_t2719651858 * ___parent_culture_30; // System.Int32 System.Globalization.CultureInfo::m_dataItem int32_t ___m_dataItem_31; // System.Globalization.Calendar System.Globalization.CultureInfo::calendar Calendar_t2535355423 * ___calendar_32; // System.Boolean System.Globalization.CultureInfo::constructed bool ___constructed_33; // System.Byte[] System.Globalization.CultureInfo::cached_serialized_form ByteU5BU5D_t3148662776* ___cached_serialized_form_34; public: inline static int32_t get_offset_of_m_isReadOnly_7() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___m_isReadOnly_7)); } inline bool get_m_isReadOnly_7() const { return ___m_isReadOnly_7; } inline bool* get_address_of_m_isReadOnly_7() { return &___m_isReadOnly_7; } inline void set_m_isReadOnly_7(bool value) { ___m_isReadOnly_7 = value; } inline static int32_t get_offset_of_cultureID_8() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___cultureID_8)); } inline int32_t get_cultureID_8() const { return ___cultureID_8; } inline int32_t* get_address_of_cultureID_8() { return &___cultureID_8; } inline void set_cultureID_8(int32_t value) { ___cultureID_8 = value; } inline static int32_t get_offset_of_parent_lcid_9() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___parent_lcid_9)); } inline int32_t get_parent_lcid_9() const { return ___parent_lcid_9; } inline int32_t* get_address_of_parent_lcid_9() { return &___parent_lcid_9; } inline void set_parent_lcid_9(int32_t value) { ___parent_lcid_9 = value; } inline static int32_t get_offset_of_specific_lcid_10() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___specific_lcid_10)); } inline int32_t get_specific_lcid_10() const { return ___specific_lcid_10; } inline int32_t* get_address_of_specific_lcid_10() { return &___specific_lcid_10; } inline void set_specific_lcid_10(int32_t value) { ___specific_lcid_10 = value; } inline static int32_t get_offset_of_datetime_index_11() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___datetime_index_11)); } inline int32_t get_datetime_index_11() const { return ___datetime_index_11; } inline int32_t* get_address_of_datetime_index_11() { return &___datetime_index_11; } inline void set_datetime_index_11(int32_t value) { ___datetime_index_11 = value; } inline static int32_t get_offset_of_number_index_12() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___number_index_12)); } inline int32_t get_number_index_12() const { return ___number_index_12; } inline int32_t* get_address_of_number_index_12() { return &___number_index_12; } inline void set_number_index_12(int32_t value) { ___number_index_12 = value; } inline static int32_t get_offset_of_m_useUserOverride_13() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___m_useUserOverride_13)); } inline bool get_m_useUserOverride_13() const { return ___m_useUserOverride_13; } inline bool* get_address_of_m_useUserOverride_13() { return &___m_useUserOverride_13; } inline void set_m_useUserOverride_13(bool value) { ___m_useUserOverride_13 = value; } inline static int32_t get_offset_of_numInfo_14() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___numInfo_14)); } inline NumberFormatInfo_t2825615539 * get_numInfo_14() const { return ___numInfo_14; } inline NumberFormatInfo_t2825615539 ** get_address_of_numInfo_14() { return &___numInfo_14; } inline void set_numInfo_14(NumberFormatInfo_t2825615539 * value) { ___numInfo_14 = value; Il2CppCodeGenWriteBarrier((&___numInfo_14), value); } inline static int32_t get_offset_of_dateTimeInfo_15() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___dateTimeInfo_15)); } inline DateTimeFormatInfo_t296154761 * get_dateTimeInfo_15() const { return ___dateTimeInfo_15; } inline DateTimeFormatInfo_t296154761 ** get_address_of_dateTimeInfo_15() { return &___dateTimeInfo_15; } inline void set_dateTimeInfo_15(DateTimeFormatInfo_t296154761 * value) { ___dateTimeInfo_15 = value; Il2CppCodeGenWriteBarrier((&___dateTimeInfo_15), value); } inline static int32_t get_offset_of_textInfo_16() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___textInfo_16)); } inline TextInfo_t422972285 * get_textInfo_16() const { return ___textInfo_16; } inline TextInfo_t422972285 ** get_address_of_textInfo_16() { return &___textInfo_16; } inline void set_textInfo_16(TextInfo_t422972285 * value) { ___textInfo_16 = value; Il2CppCodeGenWriteBarrier((&___textInfo_16), value); } inline static int32_t get_offset_of_m_name_17() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___m_name_17)); } inline String_t* get_m_name_17() const { return ___m_name_17; } inline String_t** get_address_of_m_name_17() { return &___m_name_17; } inline void set_m_name_17(String_t* value) { ___m_name_17 = value; Il2CppCodeGenWriteBarrier((&___m_name_17), value); } inline static int32_t get_offset_of_displayname_18() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___displayname_18)); } inline String_t* get_displayname_18() const { return ___displayname_18; } inline String_t** get_address_of_displayname_18() { return &___displayname_18; } inline void set_displayname_18(String_t* value) { ___displayname_18 = value; Il2CppCodeGenWriteBarrier((&___displayname_18), value); } inline static int32_t get_offset_of_englishname_19() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___englishname_19)); } inline String_t* get_englishname_19() const { return ___englishname_19; } inline String_t** get_address_of_englishname_19() { return &___englishname_19; } inline void set_englishname_19(String_t* value) { ___englishname_19 = value; Il2CppCodeGenWriteBarrier((&___englishname_19), value); } inline static int32_t get_offset_of_nativename_20() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___nativename_20)); } inline String_t* get_nativename_20() const { return ___nativename_20; } inline String_t** get_address_of_nativename_20() { return &___nativename_20; } inline void set_nativename_20(String_t* value) { ___nativename_20 = value; Il2CppCodeGenWriteBarrier((&___nativename_20), value); } inline static int32_t get_offset_of_iso3lang_21() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___iso3lang_21)); } inline String_t* get_iso3lang_21() const { return ___iso3lang_21; } inline String_t** get_address_of_iso3lang_21() { return &___iso3lang_21; } inline void set_iso3lang_21(String_t* value) { ___iso3lang_21 = value; Il2CppCodeGenWriteBarrier((&___iso3lang_21), value); } inline static int32_t get_offset_of_iso2lang_22() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___iso2lang_22)); } inline String_t* get_iso2lang_22() const { return ___iso2lang_22; } inline String_t** get_address_of_iso2lang_22() { return &___iso2lang_22; } inline void set_iso2lang_22(String_t* value) { ___iso2lang_22 = value; Il2CppCodeGenWriteBarrier((&___iso2lang_22), value); } inline static int32_t get_offset_of_icu_name_23() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___icu_name_23)); } inline String_t* get_icu_name_23() const { return ___icu_name_23; } inline String_t** get_address_of_icu_name_23() { return &___icu_name_23; } inline void set_icu_name_23(String_t* value) { ___icu_name_23 = value; Il2CppCodeGenWriteBarrier((&___icu_name_23), value); } inline static int32_t get_offset_of_win3lang_24() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___win3lang_24)); } inline String_t* get_win3lang_24() const { return ___win3lang_24; } inline String_t** get_address_of_win3lang_24() { return &___win3lang_24; } inline void set_win3lang_24(String_t* value) { ___win3lang_24 = value; Il2CppCodeGenWriteBarrier((&___win3lang_24), value); } inline static int32_t get_offset_of_territory_25() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___territory_25)); } inline String_t* get_territory_25() const { return ___territory_25; } inline String_t** get_address_of_territory_25() { return &___territory_25; } inline void set_territory_25(String_t* value) { ___territory_25 = value; Il2CppCodeGenWriteBarrier((&___territory_25), value); } inline static int32_t get_offset_of_compareInfo_26() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___compareInfo_26)); } inline CompareInfo_t3015390308 * get_compareInfo_26() const { return ___compareInfo_26; } inline CompareInfo_t3015390308 ** get_address_of_compareInfo_26() { return &___compareInfo_26; } inline void set_compareInfo_26(CompareInfo_t3015390308 * value) { ___compareInfo_26 = value; Il2CppCodeGenWriteBarrier((&___compareInfo_26), value); } inline static int32_t get_offset_of_calendar_data_27() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___calendar_data_27)); } inline int32_t* get_calendar_data_27() const { return ___calendar_data_27; } inline int32_t** get_address_of_calendar_data_27() { return &___calendar_data_27; } inline void set_calendar_data_27(int32_t* value) { ___calendar_data_27 = value; } inline static int32_t get_offset_of_textinfo_data_28() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___textinfo_data_28)); } inline void* get_textinfo_data_28() const { return ___textinfo_data_28; } inline void** get_address_of_textinfo_data_28() { return &___textinfo_data_28; } inline void set_textinfo_data_28(void* value) { ___textinfo_data_28 = value; } inline static int32_t get_offset_of_optional_calendars_29() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___optional_calendars_29)); } inline CalendarU5BU5D_t1456403590* get_optional_calendars_29() const { return ___optional_calendars_29; } inline CalendarU5BU5D_t1456403590** get_address_of_optional_calendars_29() { return &___optional_calendars_29; } inline void set_optional_calendars_29(CalendarU5BU5D_t1456403590* value) { ___optional_calendars_29 = value; Il2CppCodeGenWriteBarrier((&___optional_calendars_29), value); } inline static int32_t get_offset_of_parent_culture_30() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___parent_culture_30)); } inline CultureInfo_t2719651858 * get_parent_culture_30() const { return ___parent_culture_30; } inline CultureInfo_t2719651858 ** get_address_of_parent_culture_30() { return &___parent_culture_30; } inline void set_parent_culture_30(CultureInfo_t2719651858 * value) { ___parent_culture_30 = value; Il2CppCodeGenWriteBarrier((&___parent_culture_30), value); } inline static int32_t get_offset_of_m_dataItem_31() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___m_dataItem_31)); } inline int32_t get_m_dataItem_31() const { return ___m_dataItem_31; } inline int32_t* get_address_of_m_dataItem_31() { return &___m_dataItem_31; } inline void set_m_dataItem_31(int32_t value) { ___m_dataItem_31 = value; } inline static int32_t get_offset_of_calendar_32() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___calendar_32)); } inline Calendar_t2535355423 * get_calendar_32() const { return ___calendar_32; } inline Calendar_t2535355423 ** get_address_of_calendar_32() { return &___calendar_32; } inline void set_calendar_32(Calendar_t2535355423 * value) { ___calendar_32 = value; Il2CppCodeGenWriteBarrier((&___calendar_32), value); } inline static int32_t get_offset_of_constructed_33() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___constructed_33)); } inline bool get_constructed_33() const { return ___constructed_33; } inline bool* get_address_of_constructed_33() { return &___constructed_33; } inline void set_constructed_33(bool value) { ___constructed_33 = value; } inline static int32_t get_offset_of_cached_serialized_form_34() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858, ___cached_serialized_form_34)); } inline ByteU5BU5D_t3148662776* get_cached_serialized_form_34() const { return ___cached_serialized_form_34; } inline ByteU5BU5D_t3148662776** get_address_of_cached_serialized_form_34() { return &___cached_serialized_form_34; } inline void set_cached_serialized_form_34(ByteU5BU5D_t3148662776* value) { ___cached_serialized_form_34 = value; Il2CppCodeGenWriteBarrier((&___cached_serialized_form_34), value); } }; struct CultureInfo_t2719651858_StaticFields { public: // System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::invariant_culture_info CultureInfo_t2719651858 * ___invariant_culture_info_4; // System.Object System.Globalization.CultureInfo::shared_table_lock RuntimeObject * ___shared_table_lock_5; // System.Int32 System.Globalization.CultureInfo::BootstrapCultureID int32_t ___BootstrapCultureID_6; // System.String System.Globalization.CultureInfo::MSG_READONLY String_t* ___MSG_READONLY_35; // System.Collections.Hashtable System.Globalization.CultureInfo::shared_by_number Hashtable_t707197099 * ___shared_by_number_36; // System.Collections.Hashtable System.Globalization.CultureInfo::shared_by_name Hashtable_t707197099 * ___shared_by_name_37; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Globalization.CultureInfo::<>f__switch$map19 Dictionary_2_t1211576255 * ___U3CU3Ef__switchU24map19_38; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Globalization.CultureInfo::<>f__switch$map1A Dictionary_2_t1211576255 * ___U3CU3Ef__switchU24map1A_39; public: inline static int32_t get_offset_of_invariant_culture_info_4() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___invariant_culture_info_4)); } inline CultureInfo_t2719651858 * get_invariant_culture_info_4() const { return ___invariant_culture_info_4; } inline CultureInfo_t2719651858 ** get_address_of_invariant_culture_info_4() { return &___invariant_culture_info_4; } inline void set_invariant_culture_info_4(CultureInfo_t2719651858 * value) { ___invariant_culture_info_4 = value; Il2CppCodeGenWriteBarrier((&___invariant_culture_info_4), value); } inline static int32_t get_offset_of_shared_table_lock_5() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___shared_table_lock_5)); } inline RuntimeObject * get_shared_table_lock_5() const { return ___shared_table_lock_5; } inline RuntimeObject ** get_address_of_shared_table_lock_5() { return &___shared_table_lock_5; } inline void set_shared_table_lock_5(RuntimeObject * value) { ___shared_table_lock_5 = value; Il2CppCodeGenWriteBarrier((&___shared_table_lock_5), value); } inline static int32_t get_offset_of_BootstrapCultureID_6() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___BootstrapCultureID_6)); } inline int32_t get_BootstrapCultureID_6() const { return ___BootstrapCultureID_6; } inline int32_t* get_address_of_BootstrapCultureID_6() { return &___BootstrapCultureID_6; } inline void set_BootstrapCultureID_6(int32_t value) { ___BootstrapCultureID_6 = value; } inline static int32_t get_offset_of_MSG_READONLY_35() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___MSG_READONLY_35)); } inline String_t* get_MSG_READONLY_35() const { return ___MSG_READONLY_35; } inline String_t** get_address_of_MSG_READONLY_35() { return &___MSG_READONLY_35; } inline void set_MSG_READONLY_35(String_t* value) { ___MSG_READONLY_35 = value; Il2CppCodeGenWriteBarrier((&___MSG_READONLY_35), value); } inline static int32_t get_offset_of_shared_by_number_36() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___shared_by_number_36)); } inline Hashtable_t707197099 * get_shared_by_number_36() const { return ___shared_by_number_36; } inline Hashtable_t707197099 ** get_address_of_shared_by_number_36() { return &___shared_by_number_36; } inline void set_shared_by_number_36(Hashtable_t707197099 * value) { ___shared_by_number_36 = value; Il2CppCodeGenWriteBarrier((&___shared_by_number_36), value); } inline static int32_t get_offset_of_shared_by_name_37() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___shared_by_name_37)); } inline Hashtable_t707197099 * get_shared_by_name_37() const { return ___shared_by_name_37; } inline Hashtable_t707197099 ** get_address_of_shared_by_name_37() { return &___shared_by_name_37; } inline void set_shared_by_name_37(Hashtable_t707197099 * value) { ___shared_by_name_37 = value; Il2CppCodeGenWriteBarrier((&___shared_by_name_37), value); } inline static int32_t get_offset_of_U3CU3Ef__switchU24map19_38() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___U3CU3Ef__switchU24map19_38)); } inline Dictionary_2_t1211576255 * get_U3CU3Ef__switchU24map19_38() const { return ___U3CU3Ef__switchU24map19_38; } inline Dictionary_2_t1211576255 ** get_address_of_U3CU3Ef__switchU24map19_38() { return &___U3CU3Ef__switchU24map19_38; } inline void set_U3CU3Ef__switchU24map19_38(Dictionary_2_t1211576255 * value) { ___U3CU3Ef__switchU24map19_38 = value; Il2CppCodeGenWriteBarrier((&___U3CU3Ef__switchU24map19_38), value); } inline static int32_t get_offset_of_U3CU3Ef__switchU24map1A_39() { return static_cast<int32_t>(offsetof(CultureInfo_t2719651858_StaticFields, ___U3CU3Ef__switchU24map1A_39)); } inline Dictionary_2_t1211576255 * get_U3CU3Ef__switchU24map1A_39() const { return ___U3CU3Ef__switchU24map1A_39; } inline Dictionary_2_t1211576255 ** get_address_of_U3CU3Ef__switchU24map1A_39() { return &___U3CU3Ef__switchU24map1A_39; } inline void set_U3CU3Ef__switchU24map1A_39(Dictionary_2_t1211576255 * value) { ___U3CU3Ef__switchU24map1A_39 = value; Il2CppCodeGenWriteBarrier((&___U3CU3Ef__switchU24map1A_39), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // CULTUREINFO_T2719651858_H #ifndef BINDER_T696805543_H #define BINDER_T696805543_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_t696805543 : public RuntimeObject { public: public: }; struct Binder_t696805543_StaticFields { public: // System.Reflection.Binder System.Reflection.Binder::default_binder Binder_t696805543 * ___default_binder_0; public: inline static int32_t get_offset_of_default_binder_0() { return static_cast<int32_t>(offsetof(Binder_t696805543_StaticFields, ___default_binder_0)); } inline Binder_t696805543 * get_default_binder_0() const { return ___default_binder_0; } inline Binder_t696805543 ** get_address_of_default_binder_0() { return &___default_binder_0; } inline void set_default_binder_0(Binder_t696805543 * value) { ___default_binder_0 = value; Il2CppCodeGenWriteBarrier((&___default_binder_0), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // BINDER_T696805543_H #ifndef STACKFRAME_T3923244755_H #define STACKFRAME_T3923244755_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_t3923244755 : public RuntimeObject { public: // System.Int32 System.Diagnostics.StackFrame::ilOffset int32_t ___ilOffset_1; // System.Int32 System.Diagnostics.StackFrame::nativeOffset int32_t ___nativeOffset_2; // System.Reflection.MethodBase System.Diagnostics.StackFrame::methodBase MethodBase_t2368758312 * ___methodBase_3; // System.String System.Diagnostics.StackFrame::fileName String_t* ___fileName_4; // System.Int32 System.Diagnostics.StackFrame::lineNumber int32_t ___lineNumber_5; // System.Int32 System.Diagnostics.StackFrame::columnNumber int32_t ___columnNumber_6; // System.String System.Diagnostics.StackFrame::internalMethodName String_t* ___internalMethodName_7; public: inline static int32_t get_offset_of_ilOffset_1() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___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_t3923244755, ___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_methodBase_3() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___methodBase_3)); } inline MethodBase_t2368758312 * get_methodBase_3() const { return ___methodBase_3; } inline MethodBase_t2368758312 ** get_address_of_methodBase_3() { return &___methodBase_3; } inline void set_methodBase_3(MethodBase_t2368758312 * value) { ___methodBase_3 = value; Il2CppCodeGenWriteBarrier((&___methodBase_3), value); } inline static int32_t get_offset_of_fileName_4() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___fileName_4)); } inline String_t* get_fileName_4() const { return ___fileName_4; } inline String_t** get_address_of_fileName_4() { return &___fileName_4; } inline void set_fileName_4(String_t* value) { ___fileName_4 = value; Il2CppCodeGenWriteBarrier((&___fileName_4), value); } inline static int32_t get_offset_of_lineNumber_5() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___lineNumber_5)); } inline int32_t get_lineNumber_5() const { return ___lineNumber_5; } inline int32_t* get_address_of_lineNumber_5() { return &___lineNumber_5; } inline void set_lineNumber_5(int32_t value) { ___lineNumber_5 = value; } inline static int32_t get_offset_of_columnNumber_6() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___columnNumber_6)); } inline int32_t get_columnNumber_6() const { return ___columnNumber_6; } inline int32_t* get_address_of_columnNumber_6() { return &___columnNumber_6; } inline void set_columnNumber_6(int32_t value) { ___columnNumber_6 = value; } inline static int32_t get_offset_of_internalMethodName_7() { return static_cast<int32_t>(offsetof(StackFrame_t3923244755, ___internalMethodName_7)); } inline String_t* get_internalMethodName_7() const { return ___internalMethodName_7; } inline String_t** get_address_of_internalMethodName_7() { return &___internalMethodName_7; } inline void set_internalMethodName_7(String_t* value) { ___internalMethodName_7 = value; Il2CppCodeGenWriteBarrier((&___internalMethodName_7), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STACKFRAME_T3923244755_H #ifndef LIST_1_T4059619465_H #define LIST_1_T4059619465_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.UILineInfo> struct List_1_t4059619465 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items UILineInfoU5BU5D_t3611287220* ____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; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t4059619465, ____items_1)); } inline UILineInfoU5BU5D_t3611287220* get__items_1() const { return ____items_1; } inline UILineInfoU5BU5D_t3611287220** get_address_of__items_1() { return &____items_1; } inline void set__items_1(UILineInfoU5BU5D_t3611287220* 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_t4059619465, ____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_t4059619465, ____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; } }; struct List_1_t4059619465_StaticFields { public: // T[] System.Collections.Generic.List`1::EmptyArray UILineInfoU5BU5D_t3611287220* ___EmptyArray_4; public: inline static int32_t get_offset_of_EmptyArray_4() { return static_cast<int32_t>(offsetof(List_1_t4059619465_StaticFields, ___EmptyArray_4)); } inline UILineInfoU5BU5D_t3611287220* get_EmptyArray_4() const { return ___EmptyArray_4; } inline UILineInfoU5BU5D_t3611287220** get_address_of_EmptyArray_4() { return &___EmptyArray_4; } inline void set_EmptyArray_4(UILineInfoU5BU5D_t3611287220* value) { ___EmptyArray_4 = value; Il2CppCodeGenWriteBarrier((&___EmptyArray_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LIST_1_T4059619465_H #ifndef ATTRIBUTE_T3000105177_H #define ATTRIBUTE_T3000105177_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Attribute struct Attribute_t3000105177 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ATTRIBUTE_T3000105177_H #ifndef LIST_1_T1760015106_H #define LIST_1_T1760015106_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.UICharInfo> struct List_1_t1760015106 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items UICharInfoU5BU5D_t2095611447* ____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; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t1760015106, ____items_1)); } inline UICharInfoU5BU5D_t2095611447* get__items_1() const { return ____items_1; } inline UICharInfoU5BU5D_t2095611447** get_address_of__items_1() { return &____items_1; } inline void set__items_1(UICharInfoU5BU5D_t2095611447* 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_t1760015106, ____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_t1760015106, ____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; } }; struct List_1_t1760015106_StaticFields { public: // T[] System.Collections.Generic.List`1::EmptyArray UICharInfoU5BU5D_t2095611447* ___EmptyArray_4; public: inline static int32_t get_offset_of_EmptyArray_4() { return static_cast<int32_t>(offsetof(List_1_t1760015106_StaticFields, ___EmptyArray_4)); } inline UICharInfoU5BU5D_t2095611447* get_EmptyArray_4() const { return ___EmptyArray_4; } inline UICharInfoU5BU5D_t2095611447** get_address_of_EmptyArray_4() { return &___EmptyArray_4; } inline void set_EmptyArray_4(UICharInfoU5BU5D_t2095611447* value) { ___EmptyArray_4 = value; Il2CppCodeGenWriteBarrier((&___EmptyArray_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LIST_1_T1760015106_H #ifndef LIST_1_T2822604285_H #define LIST_1_T2822604285_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.UIVertex> struct List_1_t2822604285 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items UIVertexU5BU5D_t2012532976* ____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; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t2822604285, ____items_1)); } inline UIVertexU5BU5D_t2012532976* get__items_1() const { return ____items_1; } inline UIVertexU5BU5D_t2012532976** get_address_of__items_1() { return &____items_1; } inline void set__items_1(UIVertexU5BU5D_t2012532976* 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_t2822604285, ____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_t2822604285, ____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; } }; struct List_1_t2822604285_StaticFields { public: // T[] System.Collections.Generic.List`1::EmptyArray UIVertexU5BU5D_t2012532976* ___EmptyArray_4; public: inline static int32_t get_offset_of_EmptyArray_4() { return static_cast<int32_t>(offsetof(List_1_t2822604285_StaticFields, ___EmptyArray_4)); } inline UIVertexU5BU5D_t2012532976* get_EmptyArray_4() const { return ___EmptyArray_4; } inline UIVertexU5BU5D_t2012532976** get_address_of_EmptyArray_4() { return &___EmptyArray_4; } inline void set_EmptyArray_4(UIVertexU5BU5D_t2012532976* value) { ___EmptyArray_4 = value; Il2CppCodeGenWriteBarrier((&___EmptyArray_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LIST_1_T2822604285_H #ifndef RESOURCES_T882007397_H #define RESOURCES_T882007397_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Resources struct Resources_t882007397 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RESOURCES_T882007397_H #ifndef SETUPCOROUTINE_T3257868256_H #define SETUPCOROUTINE_T3257868256_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SetupCoroutine struct SetupCoroutine_t3257868256 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SETUPCOROUTINE_T3257868256_H #ifndef SCENEMANAGER_T3410669746_H #define SCENEMANAGER_T3410669746_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_t3410669746 : public RuntimeObject { public: public: }; struct SceneManager_t3410669746_StaticFields { public: // UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode> UnityEngine.SceneManagement.SceneManager::sceneLoaded UnityAction_2_t324713334 * ___sceneLoaded_0; // UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::sceneUnloaded UnityAction_1_t1759667896 * ___sceneUnloaded_1; // UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::activeSceneChanged UnityAction_2_t2810360728 * ___activeSceneChanged_2; public: inline static int32_t get_offset_of_sceneLoaded_0() { return static_cast<int32_t>(offsetof(SceneManager_t3410669746_StaticFields, ___sceneLoaded_0)); } inline UnityAction_2_t324713334 * get_sceneLoaded_0() const { return ___sceneLoaded_0; } inline UnityAction_2_t324713334 ** get_address_of_sceneLoaded_0() { return &___sceneLoaded_0; } inline void set_sceneLoaded_0(UnityAction_2_t324713334 * value) { ___sceneLoaded_0 = value; Il2CppCodeGenWriteBarrier((&___sceneLoaded_0), value); } inline static int32_t get_offset_of_sceneUnloaded_1() { return static_cast<int32_t>(offsetof(SceneManager_t3410669746_StaticFields, ___sceneUnloaded_1)); } inline UnityAction_1_t1759667896 * get_sceneUnloaded_1() const { return ___sceneUnloaded_1; } inline UnityAction_1_t1759667896 ** get_address_of_sceneUnloaded_1() { return &___sceneUnloaded_1; } inline void set_sceneUnloaded_1(UnityAction_1_t1759667896 * value) { ___sceneUnloaded_1 = value; Il2CppCodeGenWriteBarrier((&___sceneUnloaded_1), value); } inline static int32_t get_offset_of_activeSceneChanged_2() { return static_cast<int32_t>(offsetof(SceneManager_t3410669746_StaticFields, ___activeSceneChanged_2)); } inline UnityAction_2_t2810360728 * get_activeSceneChanged_2() const { return ___activeSceneChanged_2; } inline UnityAction_2_t2810360728 ** get_address_of_activeSceneChanged_2() { return &___activeSceneChanged_2; } inline void set_activeSceneChanged_2(UnityAction_2_t2810360728 * value) { ___activeSceneChanged_2 = value; Il2CppCodeGenWriteBarrier((&___activeSceneChanged_2), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SCENEMANAGER_T3410669746_H #ifndef SYSTEMINFO_T3178098487_H #define SYSTEMINFO_T3178098487_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SystemInfo struct SystemInfo_t3178098487 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SYSTEMINFO_T3178098487_H #ifndef GUICONTENT_T2918791183_H #define GUICONTENT_T2918791183_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.GUIContent struct GUIContent_t2918791183 : public RuntimeObject { public: // System.String UnityEngine.GUIContent::m_Text String_t* ___m_Text_0; // UnityEngine.Texture UnityEngine.GUIContent::m_Image Texture_t735859423 * ___m_Image_1; // System.String UnityEngine.GUIContent::m_Tooltip String_t* ___m_Tooltip_2; public: inline static int32_t get_offset_of_m_Text_0() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183, ___m_Text_0)); } inline String_t* get_m_Text_0() const { return ___m_Text_0; } inline String_t** get_address_of_m_Text_0() { return &___m_Text_0; } inline void set_m_Text_0(String_t* value) { ___m_Text_0 = value; Il2CppCodeGenWriteBarrier((&___m_Text_0), value); } inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183, ___m_Image_1)); } inline Texture_t735859423 * get_m_Image_1() const { return ___m_Image_1; } inline Texture_t735859423 ** get_address_of_m_Image_1() { return &___m_Image_1; } inline void set_m_Image_1(Texture_t735859423 * value) { ___m_Image_1 = value; Il2CppCodeGenWriteBarrier((&___m_Image_1), value); } inline static int32_t get_offset_of_m_Tooltip_2() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183, ___m_Tooltip_2)); } inline String_t* get_m_Tooltip_2() const { return ___m_Tooltip_2; } inline String_t** get_address_of_m_Tooltip_2() { return &___m_Tooltip_2; } inline void set_m_Tooltip_2(String_t* value) { ___m_Tooltip_2 = value; Il2CppCodeGenWriteBarrier((&___m_Tooltip_2), value); } }; struct GUIContent_t2918791183_StaticFields { public: // UnityEngine.GUIContent UnityEngine.GUIContent::s_Text GUIContent_t2918791183 * ___s_Text_3; // UnityEngine.GUIContent UnityEngine.GUIContent::s_Image GUIContent_t2918791183 * ___s_Image_4; // UnityEngine.GUIContent UnityEngine.GUIContent::s_TextImage GUIContent_t2918791183 * ___s_TextImage_5; // UnityEngine.GUIContent UnityEngine.GUIContent::none GUIContent_t2918791183 * ___none_6; public: inline static int32_t get_offset_of_s_Text_3() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183_StaticFields, ___s_Text_3)); } inline GUIContent_t2918791183 * get_s_Text_3() const { return ___s_Text_3; } inline GUIContent_t2918791183 ** get_address_of_s_Text_3() { return &___s_Text_3; } inline void set_s_Text_3(GUIContent_t2918791183 * value) { ___s_Text_3 = value; Il2CppCodeGenWriteBarrier((&___s_Text_3), value); } inline static int32_t get_offset_of_s_Image_4() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183_StaticFields, ___s_Image_4)); } inline GUIContent_t2918791183 * get_s_Image_4() const { return ___s_Image_4; } inline GUIContent_t2918791183 ** get_address_of_s_Image_4() { return &___s_Image_4; } inline void set_s_Image_4(GUIContent_t2918791183 * value) { ___s_Image_4 = value; Il2CppCodeGenWriteBarrier((&___s_Image_4), value); } inline static int32_t get_offset_of_s_TextImage_5() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183_StaticFields, ___s_TextImage_5)); } inline GUIContent_t2918791183 * get_s_TextImage_5() const { return ___s_TextImage_5; } inline GUIContent_t2918791183 ** get_address_of_s_TextImage_5() { return &___s_TextImage_5; } inline void set_s_TextImage_5(GUIContent_t2918791183 * value) { ___s_TextImage_5 = value; Il2CppCodeGenWriteBarrier((&___s_TextImage_5), value); } inline static int32_t get_offset_of_none_6() { return static_cast<int32_t>(offsetof(GUIContent_t2918791183_StaticFields, ___none_6)); } inline GUIContent_t2918791183 * get_none_6() const { return ___none_6; } inline GUIContent_t2918791183 ** get_address_of_none_6() { return &___none_6; } inline void set_none_6(GUIContent_t2918791183 * value) { ___none_6 = value; Il2CppCodeGenWriteBarrier((&___none_6), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.GUIContent struct GUIContent_t2918791183_marshaled_pinvoke { char* ___m_Text_0; Texture_t735859423 * ___m_Image_1; char* ___m_Tooltip_2; }; // Native definition for COM marshalling of UnityEngine.GUIContent struct GUIContent_t2918791183_marshaled_com { Il2CppChar* ___m_Text_0; Texture_t735859423 * ___m_Image_1; Il2CppChar* ___m_Tooltip_2; }; #endif // GUICONTENT_T2918791183_H #ifndef LIST_1_T2786718293_H #define LIST_1_T2786718293_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.SocialPlatforms.GameCenter.GcLeaderboard> struct List_1_t2786718293 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items GcLeaderboardU5BU5D_t2382704696* ____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; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t2786718293, ____items_1)); } inline GcLeaderboardU5BU5D_t2382704696* get__items_1() const { return ____items_1; } inline GcLeaderboardU5BU5D_t2382704696** get_address_of__items_1() { return &____items_1; } inline void set__items_1(GcLeaderboardU5BU5D_t2382704696* 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_t2786718293, ____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_t2786718293, ____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; } }; struct List_1_t2786718293_StaticFields { public: // T[] System.Collections.Generic.List`1::EmptyArray GcLeaderboardU5BU5D_t2382704696* ___EmptyArray_4; public: inline static int32_t get_offset_of_EmptyArray_4() { return static_cast<int32_t>(offsetof(List_1_t2786718293_StaticFields, ___EmptyArray_4)); } inline GcLeaderboardU5BU5D_t2382704696* get_EmptyArray_4() const { return ___EmptyArray_4; } inline GcLeaderboardU5BU5D_t2382704696** get_address_of_EmptyArray_4() { return &___EmptyArray_4; } inline void set_EmptyArray_4(GcLeaderboardU5BU5D_t2382704696* value) { ___EmptyArray_4 = value; Il2CppCodeGenWriteBarrier((&___EmptyArray_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LIST_1_T2786718293_H #ifndef SCREEN_T3369330158_H #define SCREEN_T3369330158_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Screen struct Screen_t3369330158 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SCREEN_T3369330158_H #ifndef SENDMOUSEEVENTS_T1768250992_H #define SENDMOUSEEVENTS_T1768250992_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SendMouseEvents struct SendMouseEvents_t1768250992 : public RuntimeObject { public: public: }; struct SendMouseEvents_t1768250992_StaticFields { public: // System.Boolean UnityEngine.SendMouseEvents::s_MouseUsed bool ___s_MouseUsed_0; // UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_LastHit HitInfoU5BU5D_t1129894377* ___m_LastHit_1; // UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_MouseDownHit HitInfoU5BU5D_t1129894377* ___m_MouseDownHit_2; // UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_CurrentHit HitInfoU5BU5D_t1129894377* ___m_CurrentHit_3; // UnityEngine.Camera[] UnityEngine.SendMouseEvents::m_Cameras CameraU5BU5D_t1852821906* ___m_Cameras_4; public: inline static int32_t get_offset_of_s_MouseUsed_0() { return static_cast<int32_t>(offsetof(SendMouseEvents_t1768250992_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_t1768250992_StaticFields, ___m_LastHit_1)); } inline HitInfoU5BU5D_t1129894377* get_m_LastHit_1() const { return ___m_LastHit_1; } inline HitInfoU5BU5D_t1129894377** get_address_of_m_LastHit_1() { return &___m_LastHit_1; } inline void set_m_LastHit_1(HitInfoU5BU5D_t1129894377* 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_t1768250992_StaticFields, ___m_MouseDownHit_2)); } inline HitInfoU5BU5D_t1129894377* get_m_MouseDownHit_2() const { return ___m_MouseDownHit_2; } inline HitInfoU5BU5D_t1129894377** get_address_of_m_MouseDownHit_2() { return &___m_MouseDownHit_2; } inline void set_m_MouseDownHit_2(HitInfoU5BU5D_t1129894377* 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_t1768250992_StaticFields, ___m_CurrentHit_3)); } inline HitInfoU5BU5D_t1129894377* get_m_CurrentHit_3() const { return ___m_CurrentHit_3; } inline HitInfoU5BU5D_t1129894377** get_address_of_m_CurrentHit_3() { return &___m_CurrentHit_3; } inline void set_m_CurrentHit_3(HitInfoU5BU5D_t1129894377* 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_t1768250992_StaticFields, ___m_Cameras_4)); } inline CameraU5BU5D_t1852821906* get_m_Cameras_4() const { return ___m_Cameras_4; } inline CameraU5BU5D_t1852821906** get_address_of_m_Cameras_4() { return &___m_Cameras_4; } inline void set_m_Cameras_4(CameraU5BU5D_t1852821906* value) { ___m_Cameras_4 = value; Il2CppCodeGenWriteBarrier((&___m_Cameras_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SENDMOUSEEVENTS_T1768250992_H #ifndef ACHIEVEMENTDESCRIPTION_T3742507101_H #define ACHIEVEMENTDESCRIPTION_T3742507101_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.AchievementDescription struct AchievementDescription_t3742507101 : public RuntimeObject { public: // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_Title String_t* ___m_Title_0; // UnityEngine.Texture2D UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_Image Texture2D_t4076404164 * ___m_Image_1; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_AchievedDescription String_t* ___m_AchievedDescription_2; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_UnachievedDescription String_t* ___m_UnachievedDescription_3; // System.Boolean UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_Hidden bool ___m_Hidden_4; // System.Int32 UnityEngine.SocialPlatforms.Impl.AchievementDescription::m_Points int32_t ___m_Points_5; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::<id>k__BackingField String_t* ___U3CidU3Ek__BackingField_6; public: inline static int32_t get_offset_of_m_Title_0() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_Title_0)); } inline String_t* get_m_Title_0() const { return ___m_Title_0; } inline String_t** get_address_of_m_Title_0() { return &___m_Title_0; } inline void set_m_Title_0(String_t* value) { ___m_Title_0 = value; Il2CppCodeGenWriteBarrier((&___m_Title_0), value); } inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_Image_1)); } inline Texture2D_t4076404164 * get_m_Image_1() const { return ___m_Image_1; } inline Texture2D_t4076404164 ** get_address_of_m_Image_1() { return &___m_Image_1; } inline void set_m_Image_1(Texture2D_t4076404164 * value) { ___m_Image_1 = value; Il2CppCodeGenWriteBarrier((&___m_Image_1), value); } inline static int32_t get_offset_of_m_AchievedDescription_2() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_AchievedDescription_2)); } inline String_t* get_m_AchievedDescription_2() const { return ___m_AchievedDescription_2; } inline String_t** get_address_of_m_AchievedDescription_2() { return &___m_AchievedDescription_2; } inline void set_m_AchievedDescription_2(String_t* value) { ___m_AchievedDescription_2 = value; Il2CppCodeGenWriteBarrier((&___m_AchievedDescription_2), value); } inline static int32_t get_offset_of_m_UnachievedDescription_3() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_UnachievedDescription_3)); } inline String_t* get_m_UnachievedDescription_3() const { return ___m_UnachievedDescription_3; } inline String_t** get_address_of_m_UnachievedDescription_3() { return &___m_UnachievedDescription_3; } inline void set_m_UnachievedDescription_3(String_t* value) { ___m_UnachievedDescription_3 = value; Il2CppCodeGenWriteBarrier((&___m_UnachievedDescription_3), value); } inline static int32_t get_offset_of_m_Hidden_4() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_Hidden_4)); } inline bool get_m_Hidden_4() const { return ___m_Hidden_4; } inline bool* get_address_of_m_Hidden_4() { return &___m_Hidden_4; } inline void set_m_Hidden_4(bool value) { ___m_Hidden_4 = value; } inline static int32_t get_offset_of_m_Points_5() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___m_Points_5)); } inline int32_t get_m_Points_5() const { return ___m_Points_5; } inline int32_t* get_address_of_m_Points_5() { return &___m_Points_5; } inline void set_m_Points_5(int32_t value) { ___m_Points_5 = value; } inline static int32_t get_offset_of_U3CidU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(AchievementDescription_t3742507101, ___U3CidU3Ek__BackingField_6)); } inline String_t* get_U3CidU3Ek__BackingField_6() const { return ___U3CidU3Ek__BackingField_6; } inline String_t** get_address_of_U3CidU3Ek__BackingField_6() { return &___U3CidU3Ek__BackingField_6; } inline void set_U3CidU3Ek__BackingField_6(String_t* value) { ___U3CidU3Ek__BackingField_6 = value; Il2CppCodeGenWriteBarrier((&___U3CidU3Ek__BackingField_6), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACHIEVEMENTDESCRIPTION_T3742507101_H #ifndef STRINGBUILDER_T1873629251_H #define STRINGBUILDER_T1873629251_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_t1873629251 : public RuntimeObject { public: // System.Int32 System.Text.StringBuilder::_length int32_t ____length_1; // System.String System.Text.StringBuilder::_str String_t* ____str_2; // System.String System.Text.StringBuilder::_cached_str String_t* ____cached_str_3; // System.Int32 System.Text.StringBuilder::_maxCapacity int32_t ____maxCapacity_4; public: inline static int32_t get_offset_of__length_1() { return static_cast<int32_t>(offsetof(StringBuilder_t1873629251, ____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; } inline static int32_t get_offset_of__str_2() { return static_cast<int32_t>(offsetof(StringBuilder_t1873629251, ____str_2)); } inline String_t* get__str_2() const { return ____str_2; } inline String_t** get_address_of__str_2() { return &____str_2; } inline void set__str_2(String_t* value) { ____str_2 = value; Il2CppCodeGenWriteBarrier((&____str_2), value); } inline static int32_t get_offset_of__cached_str_3() { return static_cast<int32_t>(offsetof(StringBuilder_t1873629251, ____cached_str_3)); } inline String_t* get__cached_str_3() const { return ____cached_str_3; } inline String_t** get_address_of__cached_str_3() { return &____cached_str_3; } inline void set__cached_str_3(String_t* value) { ____cached_str_3 = value; Il2CppCodeGenWriteBarrier((&____cached_str_3), value); } inline static int32_t get_offset_of__maxCapacity_4() { return static_cast<int32_t>(offsetof(StringBuilder_t1873629251, ____maxCapacity_4)); } inline int32_t get__maxCapacity_4() const { return ____maxCapacity_4; } inline int32_t* get_address_of__maxCapacity_4() { return &____maxCapacity_4; } inline void set__maxCapacity_4(int32_t value) { ____maxCapacity_4 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STRINGBUILDER_T1873629251_H #ifndef SLIDERSTATE_T1221064395_H #define SLIDERSTATE_T1221064395_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SliderState struct SliderState_t1221064395 : public RuntimeObject { public: // System.Single UnityEngine.SliderState::dragStartPos float ___dragStartPos_0; // System.Single UnityEngine.SliderState::dragStartValue float ___dragStartValue_1; // System.Boolean UnityEngine.SliderState::isDragging bool ___isDragging_2; public: inline static int32_t get_offset_of_dragStartPos_0() { return static_cast<int32_t>(offsetof(SliderState_t1221064395, ___dragStartPos_0)); } inline float get_dragStartPos_0() const { return ___dragStartPos_0; } inline float* get_address_of_dragStartPos_0() { return &___dragStartPos_0; } inline void set_dragStartPos_0(float value) { ___dragStartPos_0 = value; } inline static int32_t get_offset_of_dragStartValue_1() { return static_cast<int32_t>(offsetof(SliderState_t1221064395, ___dragStartValue_1)); } inline float get_dragStartValue_1() const { return ___dragStartValue_1; } inline float* get_address_of_dragStartValue_1() { return &___dragStartValue_1; } inline void set_dragStartValue_1(float value) { ___dragStartValue_1 = value; } inline static int32_t get_offset_of_isDragging_2() { return static_cast<int32_t>(offsetof(SliderState_t1221064395, ___isDragging_2)); } inline bool get_isDragging_2() const { return ___isDragging_2; } inline bool* get_address_of_isDragging_2() { return &___isDragging_2; } inline void set_isDragging_2(bool value) { ___isDragging_2 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SLIDERSTATE_T1221064395_H #ifndef EXCEPTION_T4051195559_H #define EXCEPTION_T4051195559_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Exception struct Exception_t4051195559 : public RuntimeObject { public: // System.IntPtr[] System.Exception::trace_ips IntPtrU5BU5D_t618347919* ___trace_ips_0; // System.Exception System.Exception::inner_exception Exception_t4051195559 * ___inner_exception_1; // System.String System.Exception::message String_t* ___message_2; // System.String System.Exception::help_link String_t* ___help_link_3; // System.String System.Exception::class_name String_t* ___class_name_4; // System.String System.Exception::stack_trace String_t* ___stack_trace_5; // System.String System.Exception::_remoteStackTraceString String_t* ____remoteStackTraceString_6; // System.Int32 System.Exception::remote_stack_index int32_t ___remote_stack_index_7; // System.Int32 System.Exception::hresult int32_t ___hresult_8; // System.String System.Exception::source String_t* ___source_9; // System.Collections.IDictionary System.Exception::_data RuntimeObject* ____data_10; public: inline static int32_t get_offset_of_trace_ips_0() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___trace_ips_0)); } inline IntPtrU5BU5D_t618347919* get_trace_ips_0() const { return ___trace_ips_0; } inline IntPtrU5BU5D_t618347919** get_address_of_trace_ips_0() { return &___trace_ips_0; } inline void set_trace_ips_0(IntPtrU5BU5D_t618347919* value) { ___trace_ips_0 = value; Il2CppCodeGenWriteBarrier((&___trace_ips_0), value); } inline static int32_t get_offset_of_inner_exception_1() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___inner_exception_1)); } inline Exception_t4051195559 * get_inner_exception_1() const { return ___inner_exception_1; } inline Exception_t4051195559 ** get_address_of_inner_exception_1() { return &___inner_exception_1; } inline void set_inner_exception_1(Exception_t4051195559 * value) { ___inner_exception_1 = value; Il2CppCodeGenWriteBarrier((&___inner_exception_1), value); } inline static int32_t get_offset_of_message_2() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___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_help_link_3() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___help_link_3)); } inline String_t* get_help_link_3() const { return ___help_link_3; } inline String_t** get_address_of_help_link_3() { return &___help_link_3; } inline void set_help_link_3(String_t* value) { ___help_link_3 = value; Il2CppCodeGenWriteBarrier((&___help_link_3), value); } inline static int32_t get_offset_of_class_name_4() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___class_name_4)); } inline String_t* get_class_name_4() const { return ___class_name_4; } inline String_t** get_address_of_class_name_4() { return &___class_name_4; } inline void set_class_name_4(String_t* value) { ___class_name_4 = value; Il2CppCodeGenWriteBarrier((&___class_name_4), value); } inline static int32_t get_offset_of_stack_trace_5() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___stack_trace_5)); } inline String_t* get_stack_trace_5() const { return ___stack_trace_5; } inline String_t** get_address_of_stack_trace_5() { return &___stack_trace_5; } inline void set_stack_trace_5(String_t* value) { ___stack_trace_5 = value; Il2CppCodeGenWriteBarrier((&___stack_trace_5), value); } inline static int32_t get_offset_of__remoteStackTraceString_6() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ____remoteStackTraceString_6)); } inline String_t* get__remoteStackTraceString_6() const { return ____remoteStackTraceString_6; } inline String_t** get_address_of__remoteStackTraceString_6() { return &____remoteStackTraceString_6; } inline void set__remoteStackTraceString_6(String_t* value) { ____remoteStackTraceString_6 = value; Il2CppCodeGenWriteBarrier((&____remoteStackTraceString_6), value); } inline static int32_t get_offset_of_remote_stack_index_7() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___remote_stack_index_7)); } inline int32_t get_remote_stack_index_7() const { return ___remote_stack_index_7; } inline int32_t* get_address_of_remote_stack_index_7() { return &___remote_stack_index_7; } inline void set_remote_stack_index_7(int32_t value) { ___remote_stack_index_7 = value; } inline static int32_t get_offset_of_hresult_8() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___hresult_8)); } inline int32_t get_hresult_8() const { return ___hresult_8; } inline int32_t* get_address_of_hresult_8() { return &___hresult_8; } inline void set_hresult_8(int32_t value) { ___hresult_8 = value; } inline static int32_t get_offset_of_source_9() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ___source_9)); } inline String_t* get_source_9() const { return ___source_9; } inline String_t** get_address_of_source_9() { return &___source_9; } inline void set_source_9(String_t* value) { ___source_9 = value; Il2CppCodeGenWriteBarrier((&___source_9), value); } inline static int32_t get_offset_of__data_10() { return static_cast<int32_t>(offsetof(Exception_t4051195559, ____data_10)); } inline RuntimeObject* get__data_10() const { return ____data_10; } inline RuntimeObject** get_address_of__data_10() { return &____data_10; } inline void set__data_10(RuntimeObject* value) { ____data_10 = value; Il2CppCodeGenWriteBarrier((&____data_10), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // EXCEPTION_T4051195559_H #ifndef U3CUNITYENGINE_SOCIALPLATFORMS_ISOCIALPLATFORM_AUTHENTICATEU3EC__ANONSTOREY0_T3408236426_H #define U3CUNITYENGINE_SOCIALPLATFORMS_ISOCIALPLATFORM_AUTHENTICATEU3EC__ANONSTOREY0_T3408236426_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0 struct U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 : public RuntimeObject { public: // System.Action`1<System.Boolean> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0::callback Action_1_t1048568049 * ___callback_0; public: inline static int32_t get_offset_of_callback_0() { return static_cast<int32_t>(offsetof(U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426, ___callback_0)); } inline Action_1_t1048568049 * get_callback_0() const { return ___callback_0; } inline Action_1_t1048568049 ** get_address_of_callback_0() { return &___callback_0; } inline void set_callback_0(Action_1_t1048568049 * value) { ___callback_0 = value; Il2CppCodeGenWriteBarrier((&___callback_0), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // U3CUNITYENGINE_SOCIALPLATFORMS_ISOCIALPLATFORM_AUTHENTICATEU3EC__ANONSTOREY0_T3408236426_H #ifndef RECTTRANSFORMUTILITY_T3614849597_H #define RECTTRANSFORMUTILITY_T3614849597_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RectTransformUtility struct RectTransformUtility_t3614849597 : public RuntimeObject { public: public: }; struct RectTransformUtility_t3614849597_StaticFields { public: // UnityEngine.Vector3[] UnityEngine.RectTransformUtility::s_Corners Vector3U5BU5D_t4045887177* ___s_Corners_0; public: inline static int32_t get_offset_of_s_Corners_0() { return static_cast<int32_t>(offsetof(RectTransformUtility_t3614849597_StaticFields, ___s_Corners_0)); } inline Vector3U5BU5D_t4045887177* get_s_Corners_0() const { return ___s_Corners_0; } inline Vector3U5BU5D_t4045887177** get_address_of_s_Corners_0() { return &___s_Corners_0; } inline void set_s_Corners_0(Vector3U5BU5D_t4045887177* value) { ___s_Corners_0 = value; Il2CppCodeGenWriteBarrier((&___s_Corners_0), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RECTTRANSFORMUTILITY_T3614849597_H #ifndef YIELDINSTRUCTION_T575932729_H #define YIELDINSTRUCTION_T575932729_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.YieldInstruction struct YieldInstruction_t575932729 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.YieldInstruction struct YieldInstruction_t575932729_marshaled_pinvoke { }; // Native definition for COM marshalling of UnityEngine.YieldInstruction struct YieldInstruction_t575932729_marshaled_com { }; #endif // YIELDINSTRUCTION_T575932729_H #ifndef DATAUTILITY_T3350702026_H #define DATAUTILITY_T3350702026_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_t3350702026 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DATAUTILITY_T3350702026_H #ifndef VALUETYPE_T199667939_H #define VALUETYPE_T199667939_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.ValueType struct ValueType_t199667939 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of System.ValueType struct ValueType_t199667939_marshaled_pinvoke { }; // Native definition for COM marshalling of System.ValueType struct ValueType_t199667939_marshaled_com { }; #endif // VALUETYPE_T199667939_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::length int32_t ___length_0; // System.Char System.String::start_char Il2CppChar ___start_char_1; public: inline static int32_t get_offset_of_length_0() { return static_cast<int32_t>(offsetof(String_t, ___length_0)); } inline int32_t get_length_0() const { return ___length_0; } inline int32_t* get_address_of_length_0() { return &___length_0; } inline void set_length_0(int32_t value) { ___length_0 = value; } inline static int32_t get_offset_of_start_char_1() { return static_cast<int32_t>(offsetof(String_t, ___start_char_1)); } inline Il2CppChar get_start_char_1() const { return ___start_char_1; } inline Il2CppChar* get_address_of_start_char_1() { return &___start_char_1; } inline void set_start_char_1(Il2CppChar value) { ___start_char_1 = value; } }; struct String_t_StaticFields { public: // System.String System.String::Empty String_t* ___Empty_2; // System.Char[] System.String::WhiteChars CharU5BU5D_t1671368807* ___WhiteChars_3; public: inline static int32_t get_offset_of_Empty_2() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___Empty_2)); } inline String_t* get_Empty_2() const { return ___Empty_2; } inline String_t** get_address_of_Empty_2() { return &___Empty_2; } inline void set_Empty_2(String_t* value) { ___Empty_2 = value; Il2CppCodeGenWriteBarrier((&___Empty_2), value); } inline static int32_t get_offset_of_WhiteChars_3() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___WhiteChars_3)); } inline CharU5BU5D_t1671368807* get_WhiteChars_3() const { return ___WhiteChars_3; } inline CharU5BU5D_t1671368807** get_address_of_WhiteChars_3() { return &___WhiteChars_3; } inline void set_WhiteChars_3(CharU5BU5D_t1671368807* value) { ___WhiteChars_3 = value; Il2CppCodeGenWriteBarrier((&___WhiteChars_3), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STRING_T_H #ifndef SCROLLVIEWSTATE_T3487613754_H #define SCROLLVIEWSTATE_T3487613754_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.ScrollViewState struct ScrollViewState_t3487613754 : public RuntimeObject { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SCROLLVIEWSTATE_T3487613754_H #ifndef STACKTRACE_T3914800897_H #define STACKTRACE_T3914800897_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_t3914800897 : public RuntimeObject { public: // System.Diagnostics.StackFrame[] System.Diagnostics.StackTrace::frames StackFrameU5BU5D_t3556748418* ___frames_1; // System.Boolean System.Diagnostics.StackTrace::debug_info bool ___debug_info_2; public: inline static int32_t get_offset_of_frames_1() { return static_cast<int32_t>(offsetof(StackTrace_t3914800897, ___frames_1)); } inline StackFrameU5BU5D_t3556748418* get_frames_1() const { return ___frames_1; } inline StackFrameU5BU5D_t3556748418** get_address_of_frames_1() { return &___frames_1; } inline void set_frames_1(StackFrameU5BU5D_t3556748418* value) { ___frames_1 = value; Il2CppCodeGenWriteBarrier((&___frames_1), value); } inline static int32_t get_offset_of_debug_info_2() { return static_cast<int32_t>(offsetof(StackTrace_t3914800897, ___debug_info_2)); } inline bool get_debug_info_2() const { return ___debug_info_2; } inline bool* get_address_of_debug_info_2() { return &___debug_info_2; } inline void set_debug_info_2(bool value) { ___debug_info_2 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STACKTRACE_T3914800897_H #ifndef SPRITEATLASMANAGER_T81154096_H #define SPRITEATLASMANAGER_T81154096_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_t81154096 : public RuntimeObject { public: public: }; struct SpriteAtlasManager_t81154096_StaticFields { public: // UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback UnityEngine.U2D.SpriteAtlasManager::atlasRequested RequestAtlasCallback_t1094793114 * ___atlasRequested_0; // System.Action`1<UnityEngine.U2D.SpriteAtlas> UnityEngine.U2D.SpriteAtlasManager::<>f__mg$cache0 Action_1_t3078164784 * ___U3CU3Ef__mgU24cache0_1; public: inline static int32_t get_offset_of_atlasRequested_0() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t81154096_StaticFields, ___atlasRequested_0)); } inline RequestAtlasCallback_t1094793114 * get_atlasRequested_0() const { return ___atlasRequested_0; } inline RequestAtlasCallback_t1094793114 ** get_address_of_atlasRequested_0() { return &___atlasRequested_0; } inline void set_atlasRequested_0(RequestAtlasCallback_t1094793114 * value) { ___atlasRequested_0 = value; Il2CppCodeGenWriteBarrier((&___atlasRequested_0), value); } inline static int32_t get_offset_of_U3CU3Ef__mgU24cache0_1() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t81154096_StaticFields, ___U3CU3Ef__mgU24cache0_1)); } inline Action_1_t3078164784 * get_U3CU3Ef__mgU24cache0_1() const { return ___U3CU3Ef__mgU24cache0_1; } inline Action_1_t3078164784 ** get_address_of_U3CU3Ef__mgU24cache0_1() { return &___U3CU3Ef__mgU24cache0_1; } inline void set_U3CU3Ef__mgU24cache0_1(Action_1_t3078164784 * value) { ___U3CU3Ef__mgU24cache0_1 = value; Il2CppCodeGenWriteBarrier((&___U3CU3Ef__mgU24cache0_1), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SPRITEATLASMANAGER_T81154096_H #ifndef ENUMERATOR_T4074900053_H #define ENUMERATOR_T4074900053_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_t4074900053 : public RuntimeObject { public: // UnityEngine.Transform UnityEngine.Transform/Enumerator::outer Transform_t1640584944 * ___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_t4074900053, ___outer_0)); } inline Transform_t1640584944 * get_outer_0() const { return ___outer_0; } inline Transform_t1640584944 ** get_address_of_outer_0() { return &___outer_0; } inline void set_outer_0(Transform_t1640584944 * value) { ___outer_0 = value; Il2CppCodeGenWriteBarrier((&___outer_0), value); } inline static int32_t get_offset_of_currentIndex_1() { return static_cast<int32_t>(offsetof(Enumerator_t4074900053, ___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_T4074900053_H #ifndef STACKTRACEUTILITY_T1106565147_H #define STACKTRACEUTILITY_T1106565147_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.StackTraceUtility struct StackTraceUtility_t1106565147 : public RuntimeObject { public: public: }; struct StackTraceUtility_t1106565147_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_t1106565147_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_T1106565147_H #ifndef RANGE_T566114770_H #define RANGE_T566114770_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Range struct Range_t566114770 { public: // System.Int32 UnityEngine.SocialPlatforms.Range::from int32_t ___from_0; // System.Int32 UnityEngine.SocialPlatforms.Range::count int32_t ___count_1; public: inline static int32_t get_offset_of_from_0() { return static_cast<int32_t>(offsetof(Range_t566114770, ___from_0)); } inline int32_t get_from_0() const { return ___from_0; } inline int32_t* get_address_of_from_0() { return &___from_0; } inline void set_from_0(int32_t value) { ___from_0 = value; } inline static int32_t get_offset_of_count_1() { return static_cast<int32_t>(offsetof(Range_t566114770, ___count_1)); } inline int32_t get_count_1() const { return ___count_1; } inline int32_t* get_address_of_count_1() { return &___count_1; } inline void set_count_1(int32_t value) { ___count_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RANGE_T566114770_H #ifndef HITINFO_T2599499320_H #define HITINFO_T2599499320_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_t2599499320 { public: // UnityEngine.GameObject UnityEngine.SendMouseEvents/HitInfo::target GameObject_t1817748288 * ___target_0; // UnityEngine.Camera UnityEngine.SendMouseEvents/HitInfo::camera Camera_t2217315075 * ___camera_1; public: inline static int32_t get_offset_of_target_0() { return static_cast<int32_t>(offsetof(HitInfo_t2599499320, ___target_0)); } inline GameObject_t1817748288 * get_target_0() const { return ___target_0; } inline GameObject_t1817748288 ** get_address_of_target_0() { return &___target_0; } inline void set_target_0(GameObject_t1817748288 * value) { ___target_0 = value; Il2CppCodeGenWriteBarrier((&___target_0), value); } inline static int32_t get_offset_of_camera_1() { return static_cast<int32_t>(offsetof(HitInfo_t2599499320, ___camera_1)); } inline Camera_t2217315075 * get_camera_1() const { return ___camera_1; } inline Camera_t2217315075 ** get_address_of_camera_1() { return &___camera_1; } inline void set_camera_1(Camera_t2217315075 * 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_t2599499320_marshaled_pinvoke { GameObject_t1817748288 * ___target_0; Camera_t2217315075 * ___camera_1; }; // Native definition for COM marshalling of UnityEngine.SendMouseEvents/HitInfo struct HitInfo_t2599499320_marshaled_com { GameObject_t1817748288 * ___target_0; Camera_t2217315075 * ___camera_1; }; #endif // HITINFO_T2599499320_H #ifndef ENUMERATOR_T1293129085_H #define ENUMERATOR_T1293129085_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<System.Object> struct Enumerator_t1293129085 { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1/Enumerator::l List_1_t2372530200 * ___l_0; // System.Int32 System.Collections.Generic.List`1/Enumerator::next int32_t ___next_1; // System.Int32 System.Collections.Generic.List`1/Enumerator::ver int32_t ___ver_2; // T System.Collections.Generic.List`1/Enumerator::current RuntimeObject * ___current_3; public: inline static int32_t get_offset_of_l_0() { return static_cast<int32_t>(offsetof(Enumerator_t1293129085, ___l_0)); } inline List_1_t2372530200 * get_l_0() const { return ___l_0; } inline List_1_t2372530200 ** get_address_of_l_0() { return &___l_0; } inline void set_l_0(List_1_t2372530200 * value) { ___l_0 = value; Il2CppCodeGenWriteBarrier((&___l_0), value); } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Enumerator_t1293129085, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_ver_2() { return static_cast<int32_t>(offsetof(Enumerator_t1293129085, ___ver_2)); } inline int32_t get_ver_2() const { return ___ver_2; } inline int32_t* get_address_of_ver_2() { return &___ver_2; } inline void set_ver_2(int32_t value) { ___ver_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t1293129085, ___current_3)); } inline RuntimeObject * get_current_3() const { return ___current_3; } inline RuntimeObject ** get_address_of_current_3() { return &___current_3; } inline void set_current_3(RuntimeObject * value) { ___current_3 = value; Il2CppCodeGenWriteBarrier((&___current_3), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ENUMERATOR_T1293129085_H #ifndef UINT32_T2538635477_H #define UINT32_T2538635477_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.UInt32 struct UInt32_t2538635477 { 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_t2538635477, ___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_T2538635477_H #ifndef INT64_T258685067_H #define INT64_T258685067_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int64 struct Int64_t258685067 { 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_t258685067, ___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_T258685067_H #ifndef DOUBLE_T2479991417_H #define DOUBLE_T2479991417_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Double struct Double_t2479991417 { public: // System.Double System.Double::m_value double ___m_value_13; public: inline static int32_t get_offset_of_m_value_13() { return static_cast<int32_t>(offsetof(Double_t2479991417, ___m_value_13)); } inline double get_m_value_13() const { return ___m_value_13; } inline double* get_address_of_m_value_13() { return &___m_value_13; } inline void set_m_value_13(double value) { ___m_value_13 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DOUBLE_T2479991417_H #ifndef GCACHIEVEMENTDESCRIPTIONDATA_T1267650014_H #define GCACHIEVEMENTDESCRIPTIONDATA_T1267650014_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData struct GcAchievementDescriptionData_t1267650014 { public: // System.String UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_Identifier String_t* ___m_Identifier_0; // System.String UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_Title String_t* ___m_Title_1; // UnityEngine.Texture2D UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_Image Texture2D_t4076404164 * ___m_Image_2; // System.String UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_AchievedDescription String_t* ___m_AchievedDescription_3; // System.String UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_UnachievedDescription String_t* ___m_UnachievedDescription_4; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_Hidden int32_t ___m_Hidden_5; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::m_Points int32_t ___m_Points_6; public: inline static int32_t get_offset_of_m_Identifier_0() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_Identifier_0)); } inline String_t* get_m_Identifier_0() const { return ___m_Identifier_0; } inline String_t** get_address_of_m_Identifier_0() { return &___m_Identifier_0; } inline void set_m_Identifier_0(String_t* value) { ___m_Identifier_0 = value; Il2CppCodeGenWriteBarrier((&___m_Identifier_0), value); } inline static int32_t get_offset_of_m_Title_1() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_Title_1)); } inline String_t* get_m_Title_1() const { return ___m_Title_1; } inline String_t** get_address_of_m_Title_1() { return &___m_Title_1; } inline void set_m_Title_1(String_t* value) { ___m_Title_1 = value; Il2CppCodeGenWriteBarrier((&___m_Title_1), value); } inline static int32_t get_offset_of_m_Image_2() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_Image_2)); } inline Texture2D_t4076404164 * get_m_Image_2() const { return ___m_Image_2; } inline Texture2D_t4076404164 ** get_address_of_m_Image_2() { return &___m_Image_2; } inline void set_m_Image_2(Texture2D_t4076404164 * value) { ___m_Image_2 = value; Il2CppCodeGenWriteBarrier((&___m_Image_2), value); } inline static int32_t get_offset_of_m_AchievedDescription_3() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_AchievedDescription_3)); } inline String_t* get_m_AchievedDescription_3() const { return ___m_AchievedDescription_3; } inline String_t** get_address_of_m_AchievedDescription_3() { return &___m_AchievedDescription_3; } inline void set_m_AchievedDescription_3(String_t* value) { ___m_AchievedDescription_3 = value; Il2CppCodeGenWriteBarrier((&___m_AchievedDescription_3), value); } inline static int32_t get_offset_of_m_UnachievedDescription_4() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_UnachievedDescription_4)); } inline String_t* get_m_UnachievedDescription_4() const { return ___m_UnachievedDescription_4; } inline String_t** get_address_of_m_UnachievedDescription_4() { return &___m_UnachievedDescription_4; } inline void set_m_UnachievedDescription_4(String_t* value) { ___m_UnachievedDescription_4 = value; Il2CppCodeGenWriteBarrier((&___m_UnachievedDescription_4), value); } inline static int32_t get_offset_of_m_Hidden_5() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_Hidden_5)); } inline int32_t get_m_Hidden_5() const { return ___m_Hidden_5; } inline int32_t* get_address_of_m_Hidden_5() { return &___m_Hidden_5; } inline void set_m_Hidden_5(int32_t value) { ___m_Hidden_5 = value; } inline static int32_t get_offset_of_m_Points_6() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_t1267650014, ___m_Points_6)); } inline int32_t get_m_Points_6() const { return ___m_Points_6; } inline int32_t* get_address_of_m_Points_6() { return &___m_Points_6; } inline void set_m_Points_6(int32_t value) { ___m_Points_6 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData struct GcAchievementDescriptionData_t1267650014_marshaled_pinvoke { char* ___m_Identifier_0; char* ___m_Title_1; Texture2D_t4076404164 * ___m_Image_2; char* ___m_AchievedDescription_3; char* ___m_UnachievedDescription_4; int32_t ___m_Hidden_5; int32_t ___m_Points_6; }; // Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData struct GcAchievementDescriptionData_t1267650014_marshaled_com { Il2CppChar* ___m_Identifier_0; Il2CppChar* ___m_Title_1; Texture2D_t4076404164 * ___m_Image_2; Il2CppChar* ___m_AchievedDescription_3; Il2CppChar* ___m_UnachievedDescription_4; int32_t ___m_Hidden_5; int32_t ___m_Points_6; }; #endif // GCACHIEVEMENTDESCRIPTIONDATA_T1267650014_H #ifndef ANIMATORSTATEINFO_T1664108925_H #define ANIMATORSTATEINFO_T1664108925_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.AnimatorStateInfo struct AnimatorStateInfo_t1664108925 { public: // System.Int32 UnityEngine.AnimatorStateInfo::m_Name int32_t ___m_Name_0; // System.Int32 UnityEngine.AnimatorStateInfo::m_Path int32_t ___m_Path_1; // System.Int32 UnityEngine.AnimatorStateInfo::m_FullPath int32_t ___m_FullPath_2; // System.Single UnityEngine.AnimatorStateInfo::m_NormalizedTime float ___m_NormalizedTime_3; // System.Single UnityEngine.AnimatorStateInfo::m_Length float ___m_Length_4; // System.Single UnityEngine.AnimatorStateInfo::m_Speed float ___m_Speed_5; // System.Single UnityEngine.AnimatorStateInfo::m_SpeedMultiplier float ___m_SpeedMultiplier_6; // System.Int32 UnityEngine.AnimatorStateInfo::m_Tag int32_t ___m_Tag_7; // System.Int32 UnityEngine.AnimatorStateInfo::m_Loop int32_t ___m_Loop_8; public: inline static int32_t get_offset_of_m_Name_0() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Name_0)); } inline int32_t get_m_Name_0() const { return ___m_Name_0; } inline int32_t* get_address_of_m_Name_0() { return &___m_Name_0; } inline void set_m_Name_0(int32_t value) { ___m_Name_0 = value; } inline static int32_t get_offset_of_m_Path_1() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Path_1)); } inline int32_t get_m_Path_1() const { return ___m_Path_1; } inline int32_t* get_address_of_m_Path_1() { return &___m_Path_1; } inline void set_m_Path_1(int32_t value) { ___m_Path_1 = value; } inline static int32_t get_offset_of_m_FullPath_2() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_FullPath_2)); } inline int32_t get_m_FullPath_2() const { return ___m_FullPath_2; } inline int32_t* get_address_of_m_FullPath_2() { return &___m_FullPath_2; } inline void set_m_FullPath_2(int32_t value) { ___m_FullPath_2 = value; } inline static int32_t get_offset_of_m_NormalizedTime_3() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_NormalizedTime_3)); } inline float get_m_NormalizedTime_3() const { return ___m_NormalizedTime_3; } inline float* get_address_of_m_NormalizedTime_3() { return &___m_NormalizedTime_3; } inline void set_m_NormalizedTime_3(float value) { ___m_NormalizedTime_3 = value; } inline static int32_t get_offset_of_m_Length_4() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Length_4)); } inline float get_m_Length_4() const { return ___m_Length_4; } inline float* get_address_of_m_Length_4() { return &___m_Length_4; } inline void set_m_Length_4(float value) { ___m_Length_4 = value; } inline static int32_t get_offset_of_m_Speed_5() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Speed_5)); } inline float get_m_Speed_5() const { return ___m_Speed_5; } inline float* get_address_of_m_Speed_5() { return &___m_Speed_5; } inline void set_m_Speed_5(float value) { ___m_Speed_5 = value; } inline static int32_t get_offset_of_m_SpeedMultiplier_6() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_SpeedMultiplier_6)); } inline float get_m_SpeedMultiplier_6() const { return ___m_SpeedMultiplier_6; } inline float* get_address_of_m_SpeedMultiplier_6() { return &___m_SpeedMultiplier_6; } inline void set_m_SpeedMultiplier_6(float value) { ___m_SpeedMultiplier_6 = value; } inline static int32_t get_offset_of_m_Tag_7() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Tag_7)); } inline int32_t get_m_Tag_7() const { return ___m_Tag_7; } inline int32_t* get_address_of_m_Tag_7() { return &___m_Tag_7; } inline void set_m_Tag_7(int32_t value) { ___m_Tag_7 = value; } inline static int32_t get_offset_of_m_Loop_8() { return static_cast<int32_t>(offsetof(AnimatorStateInfo_t1664108925, ___m_Loop_8)); } inline int32_t get_m_Loop_8() const { return ___m_Loop_8; } inline int32_t* get_address_of_m_Loop_8() { return &___m_Loop_8; } inline void set_m_Loop_8(int32_t value) { ___m_Loop_8 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ANIMATORSTATEINFO_T1664108925_H #ifndef FORMERLYSERIALIZEDASATTRIBUTE_T941627579_H #define FORMERLYSERIALIZEDASATTRIBUTE_T941627579_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_t941627579 : public Attribute_t3000105177 { 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_t941627579, ___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_T941627579_H #ifndef SERIALIZEFIELD_T1863693842_H #define SERIALIZEFIELD_T1863693842_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SerializeField struct SerializeField_t1863693842 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SERIALIZEFIELD_T1863693842_H #ifndef GCSCOREDATA_T2742962091_H #define GCSCOREDATA_T2742962091_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GcScoreData struct GcScoreData_t2742962091 { public: // System.String UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_Category String_t* ___m_Category_0; // System.UInt32 UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_ValueLow uint32_t ___m_ValueLow_1; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_ValueHigh int32_t ___m_ValueHigh_2; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_Date int32_t ___m_Date_3; // System.String UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_FormattedValue String_t* ___m_FormattedValue_4; // System.String UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_PlayerID String_t* ___m_PlayerID_5; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcScoreData::m_Rank int32_t ___m_Rank_6; public: inline static int32_t get_offset_of_m_Category_0() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_Category_0)); } inline String_t* get_m_Category_0() const { return ___m_Category_0; } inline String_t** get_address_of_m_Category_0() { return &___m_Category_0; } inline void set_m_Category_0(String_t* value) { ___m_Category_0 = value; Il2CppCodeGenWriteBarrier((&___m_Category_0), value); } inline static int32_t get_offset_of_m_ValueLow_1() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_ValueLow_1)); } inline uint32_t get_m_ValueLow_1() const { return ___m_ValueLow_1; } inline uint32_t* get_address_of_m_ValueLow_1() { return &___m_ValueLow_1; } inline void set_m_ValueLow_1(uint32_t value) { ___m_ValueLow_1 = value; } inline static int32_t get_offset_of_m_ValueHigh_2() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_ValueHigh_2)); } inline int32_t get_m_ValueHigh_2() const { return ___m_ValueHigh_2; } inline int32_t* get_address_of_m_ValueHigh_2() { return &___m_ValueHigh_2; } inline void set_m_ValueHigh_2(int32_t value) { ___m_ValueHigh_2 = value; } inline static int32_t get_offset_of_m_Date_3() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_Date_3)); } inline int32_t get_m_Date_3() const { return ___m_Date_3; } inline int32_t* get_address_of_m_Date_3() { return &___m_Date_3; } inline void set_m_Date_3(int32_t value) { ___m_Date_3 = value; } inline static int32_t get_offset_of_m_FormattedValue_4() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_FormattedValue_4)); } inline String_t* get_m_FormattedValue_4() const { return ___m_FormattedValue_4; } inline String_t** get_address_of_m_FormattedValue_4() { return &___m_FormattedValue_4; } inline void set_m_FormattedValue_4(String_t* value) { ___m_FormattedValue_4 = value; Il2CppCodeGenWriteBarrier((&___m_FormattedValue_4), value); } inline static int32_t get_offset_of_m_PlayerID_5() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_PlayerID_5)); } inline String_t* get_m_PlayerID_5() const { return ___m_PlayerID_5; } inline String_t** get_address_of_m_PlayerID_5() { return &___m_PlayerID_5; } inline void set_m_PlayerID_5(String_t* value) { ___m_PlayerID_5 = value; Il2CppCodeGenWriteBarrier((&___m_PlayerID_5), value); } inline static int32_t get_offset_of_m_Rank_6() { return static_cast<int32_t>(offsetof(GcScoreData_t2742962091, ___m_Rank_6)); } inline int32_t get_m_Rank_6() const { return ___m_Rank_6; } inline int32_t* get_address_of_m_Rank_6() { return &___m_Rank_6; } inline void set_m_Rank_6(int32_t value) { ___m_Rank_6 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcScoreData struct GcScoreData_t2742962091_marshaled_pinvoke { char* ___m_Category_0; uint32_t ___m_ValueLow_1; int32_t ___m_ValueHigh_2; int32_t ___m_Date_3; char* ___m_FormattedValue_4; char* ___m_PlayerID_5; int32_t ___m_Rank_6; }; // Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcScoreData struct GcScoreData_t2742962091_marshaled_com { Il2CppChar* ___m_Category_0; uint32_t ___m_ValueLow_1; int32_t ___m_ValueHigh_2; int32_t ___m_Date_3; Il2CppChar* ___m_FormattedValue_4; Il2CppChar* ___m_PlayerID_5; int32_t ___m_Rank_6; }; #endif // GCSCOREDATA_T2742962091_H #ifndef METHODBASE_T2368758312_H #define METHODBASE_T2368758312_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_t2368758312 : public MemberInfo_t { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // METHODBASE_T2368758312_H #ifndef SORTINGLAYER_T4065731068_H #define SORTINGLAYER_T4065731068_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SortingLayer struct SortingLayer_t4065731068 { 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_t4065731068, ___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_T4065731068_H #ifndef GCACHIEVEMENTDATA_T985292318_H #define GCACHIEVEMENTDATA_T985292318_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GcAchievementData struct GcAchievementData_t985292318 { public: // System.String UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::m_Identifier String_t* ___m_Identifier_0; // System.Double UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::m_PercentCompleted double ___m_PercentCompleted_1; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::m_Completed int32_t ___m_Completed_2; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::m_Hidden int32_t ___m_Hidden_3; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::m_LastReportedDate int32_t ___m_LastReportedDate_4; public: inline static int32_t get_offset_of_m_Identifier_0() { return static_cast<int32_t>(offsetof(GcAchievementData_t985292318, ___m_Identifier_0)); } inline String_t* get_m_Identifier_0() const { return ___m_Identifier_0; } inline String_t** get_address_of_m_Identifier_0() { return &___m_Identifier_0; } inline void set_m_Identifier_0(String_t* value) { ___m_Identifier_0 = value; Il2CppCodeGenWriteBarrier((&___m_Identifier_0), value); } inline static int32_t get_offset_of_m_PercentCompleted_1() { return static_cast<int32_t>(offsetof(GcAchievementData_t985292318, ___m_PercentCompleted_1)); } inline double get_m_PercentCompleted_1() const { return ___m_PercentCompleted_1; } inline double* get_address_of_m_PercentCompleted_1() { return &___m_PercentCompleted_1; } inline void set_m_PercentCompleted_1(double value) { ___m_PercentCompleted_1 = value; } inline static int32_t get_offset_of_m_Completed_2() { return static_cast<int32_t>(offsetof(GcAchievementData_t985292318, ___m_Completed_2)); } inline int32_t get_m_Completed_2() const { return ___m_Completed_2; } inline int32_t* get_address_of_m_Completed_2() { return &___m_Completed_2; } inline void set_m_Completed_2(int32_t value) { ___m_Completed_2 = value; } inline static int32_t get_offset_of_m_Hidden_3() { return static_cast<int32_t>(offsetof(GcAchievementData_t985292318, ___m_Hidden_3)); } inline int32_t get_m_Hidden_3() const { return ___m_Hidden_3; } inline int32_t* get_address_of_m_Hidden_3() { return &___m_Hidden_3; } inline void set_m_Hidden_3(int32_t value) { ___m_Hidden_3 = value; } inline static int32_t get_offset_of_m_LastReportedDate_4() { return static_cast<int32_t>(offsetof(GcAchievementData_t985292318, ___m_LastReportedDate_4)); } inline int32_t get_m_LastReportedDate_4() const { return ___m_LastReportedDate_4; } inline int32_t* get_address_of_m_LastReportedDate_4() { return &___m_LastReportedDate_4; } inline void set_m_LastReportedDate_4(int32_t value) { ___m_LastReportedDate_4 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementData struct GcAchievementData_t985292318_marshaled_pinvoke { char* ___m_Identifier_0; double ___m_PercentCompleted_1; int32_t ___m_Completed_2; int32_t ___m_Hidden_3; int32_t ___m_LastReportedDate_4; }; // Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementData struct GcAchievementData_t985292318_marshaled_com { Il2CppChar* ___m_Identifier_0; double ___m_PercentCompleted_1; int32_t ___m_Completed_2; int32_t ___m_Hidden_3; int32_t ___m_LastReportedDate_4; }; #endif // GCACHIEVEMENTDATA_T985292318_H #ifndef PROPERTYATTRIBUTE_T3175850472_H #define PROPERTYATTRIBUTE_T3175850472_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.PropertyAttribute struct PropertyAttribute_t3175850472 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // PROPERTYATTRIBUTE_T3175850472_H #ifndef VECTOR4_T3690795159_H #define VECTOR4_T3690795159_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Vector4 struct Vector4_t3690795159 { public: // System.Single UnityEngine.Vector4::x float ___x_1; // System.Single UnityEngine.Vector4::y float ___y_2; // System.Single UnityEngine.Vector4::z float ___z_3; // System.Single UnityEngine.Vector4::w float ___w_4; public: inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector4_t3690795159, ___x_1)); } inline float get_x_1() const { return ___x_1; } inline float* get_address_of_x_1() { return &___x_1; } inline void set_x_1(float value) { ___x_1 = value; } inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector4_t3690795159, ___y_2)); } inline float get_y_2() const { return ___y_2; } inline float* get_address_of_y_2() { return &___y_2; } inline void set_y_2(float value) { ___y_2 = value; } inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector4_t3690795159, ___z_3)); } inline float get_z_3() const { return ___z_3; } inline float* get_address_of_z_3() { return &___z_3; } inline void set_z_3(float value) { ___z_3 = value; } inline static int32_t get_offset_of_w_4() { return static_cast<int32_t>(offsetof(Vector4_t3690795159, ___w_4)); } inline float get_w_4() const { return ___w_4; } inline float* get_address_of_w_4() { return &___w_4; } inline void set_w_4(float value) { ___w_4 = value; } }; struct Vector4_t3690795159_StaticFields { public: // UnityEngine.Vector4 UnityEngine.Vector4::zeroVector Vector4_t3690795159 ___zeroVector_5; // UnityEngine.Vector4 UnityEngine.Vector4::oneVector Vector4_t3690795159 ___oneVector_6; // UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector Vector4_t3690795159 ___positiveInfinityVector_7; // UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector Vector4_t3690795159 ___negativeInfinityVector_8; public: inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector4_t3690795159_StaticFields, ___zeroVector_5)); } inline Vector4_t3690795159 get_zeroVector_5() const { return ___zeroVector_5; } inline Vector4_t3690795159 * get_address_of_zeroVector_5() { return &___zeroVector_5; } inline void set_zeroVector_5(Vector4_t3690795159 value) { ___zeroVector_5 = value; } inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector4_t3690795159_StaticFields, ___oneVector_6)); } inline Vector4_t3690795159 get_oneVector_6() const { return ___oneVector_6; } inline Vector4_t3690795159 * get_address_of_oneVector_6() { return &___oneVector_6; } inline void set_oneVector_6(Vector4_t3690795159 value) { ___oneVector_6 = value; } inline static int32_t get_offset_of_positiveInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_t3690795159_StaticFields, ___positiveInfinityVector_7)); } inline Vector4_t3690795159 get_positiveInfinityVector_7() const { return ___positiveInfinityVector_7; } inline Vector4_t3690795159 * get_address_of_positiveInfinityVector_7() { return &___positiveInfinityVector_7; } inline void set_positiveInfinityVector_7(Vector4_t3690795159 value) { ___positiveInfinityVector_7 = value; } inline static int32_t get_offset_of_negativeInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector4_t3690795159_StaticFields, ___negativeInfinityVector_8)); } inline Vector4_t3690795159 get_negativeInfinityVector_8() const { return ___negativeInfinityVector_8; } inline Vector4_t3690795159 * get_address_of_negativeInfinityVector_8() { return &___negativeInfinityVector_8; } inline void set_negativeInfinityVector_8(Vector4_t3690795159 value) { ___negativeInfinityVector_8 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // VECTOR4_T3690795159_H #ifndef SELECTIONBASEATTRIBUTE_T1488500766_H #define SELECTIONBASEATTRIBUTE_T1488500766_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SelectionBaseAttribute struct SelectionBaseAttribute_t1488500766 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SELECTIONBASEATTRIBUTE_T1488500766_H #ifndef PARAMETERMODIFIER_T2224387004_H #define PARAMETERMODIFIER_T2224387004_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_t2224387004 { public: // System.Boolean[] System.Reflection.ParameterModifier::_byref BooleanU5BU5D_t509588760* ____byref_0; public: inline static int32_t get_offset_of__byref_0() { return static_cast<int32_t>(offsetof(ParameterModifier_t2224387004, ____byref_0)); } inline BooleanU5BU5D_t509588760* get__byref_0() const { return ____byref_0; } inline BooleanU5BU5D_t509588760** get_address_of__byref_0() { return &____byref_0; } inline void set__byref_0(BooleanU5BU5D_t509588760* 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_t2224387004_marshaled_pinvoke { int32_t* ____byref_0; }; // Native definition for COM marshalling of System.Reflection.ParameterModifier struct ParameterModifier_t2224387004_marshaled_com { int32_t* ____byref_0; }; #endif // PARAMETERMODIFIER_T2224387004_H #ifndef GCUSERPROFILEDATA_T442346949_H #define GCUSERPROFILEDATA_T442346949_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData struct GcUserProfileData_t442346949 { public: // System.String UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::userName String_t* ___userName_0; // System.String UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::userID String_t* ___userID_1; // System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::isFriend int32_t ___isFriend_2; // UnityEngine.Texture2D UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::image Texture2D_t4076404164 * ___image_3; public: inline static int32_t get_offset_of_userName_0() { return static_cast<int32_t>(offsetof(GcUserProfileData_t442346949, ___userName_0)); } inline String_t* get_userName_0() const { return ___userName_0; } inline String_t** get_address_of_userName_0() { return &___userName_0; } inline void set_userName_0(String_t* value) { ___userName_0 = value; Il2CppCodeGenWriteBarrier((&___userName_0), value); } inline static int32_t get_offset_of_userID_1() { return static_cast<int32_t>(offsetof(GcUserProfileData_t442346949, ___userID_1)); } inline String_t* get_userID_1() const { return ___userID_1; } inline String_t** get_address_of_userID_1() { return &___userID_1; } inline void set_userID_1(String_t* value) { ___userID_1 = value; Il2CppCodeGenWriteBarrier((&___userID_1), value); } inline static int32_t get_offset_of_isFriend_2() { return static_cast<int32_t>(offsetof(GcUserProfileData_t442346949, ___isFriend_2)); } inline int32_t get_isFriend_2() const { return ___isFriend_2; } inline int32_t* get_address_of_isFriend_2() { return &___isFriend_2; } inline void set_isFriend_2(int32_t value) { ___isFriend_2 = value; } inline static int32_t get_offset_of_image_3() { return static_cast<int32_t>(offsetof(GcUserProfileData_t442346949, ___image_3)); } inline Texture2D_t4076404164 * get_image_3() const { return ___image_3; } inline Texture2D_t4076404164 ** get_address_of_image_3() { return &___image_3; } inline void set_image_3(Texture2D_t4076404164 * value) { ___image_3 = value; Il2CppCodeGenWriteBarrier((&___image_3), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData struct GcUserProfileData_t442346949_marshaled_pinvoke { char* ___userName_0; char* ___userID_1; int32_t ___isFriend_2; Texture2D_t4076404164 * ___image_3; }; // Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData struct GcUserProfileData_t442346949_marshaled_com { Il2CppChar* ___userName_0; Il2CppChar* ___userID_1; int32_t ___isFriend_2; Texture2D_t4076404164 * ___image_3; }; #endif // GCUSERPROFILEDATA_T442346949_H #ifndef CHAR_T1390733074_H #define CHAR_T1390733074_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Char struct Char_t1390733074 { public: // System.Char System.Char::m_value Il2CppChar ___m_value_2; public: inline static int32_t get_offset_of_m_value_2() { return static_cast<int32_t>(offsetof(Char_t1390733074, ___m_value_2)); } inline Il2CppChar get_m_value_2() const { return ___m_value_2; } inline Il2CppChar* get_address_of_m_value_2() { return &___m_value_2; } inline void set_m_value_2(Il2CppChar value) { ___m_value_2 = value; } }; struct Char_t1390733074_StaticFields { public: // System.Byte* System.Char::category_data uint8_t* ___category_data_3; // System.Byte* System.Char::numeric_data uint8_t* ___numeric_data_4; // System.Double* System.Char::numeric_data_values double* ___numeric_data_values_5; // System.UInt16* System.Char::to_lower_data_low uint16_t* ___to_lower_data_low_6; // System.UInt16* System.Char::to_lower_data_high uint16_t* ___to_lower_data_high_7; // System.UInt16* System.Char::to_upper_data_low uint16_t* ___to_upper_data_low_8; // System.UInt16* System.Char::to_upper_data_high uint16_t* ___to_upper_data_high_9; public: inline static int32_t get_offset_of_category_data_3() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___category_data_3)); } inline uint8_t* get_category_data_3() const { return ___category_data_3; } inline uint8_t** get_address_of_category_data_3() { return &___category_data_3; } inline void set_category_data_3(uint8_t* value) { ___category_data_3 = value; } inline static int32_t get_offset_of_numeric_data_4() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___numeric_data_4)); } inline uint8_t* get_numeric_data_4() const { return ___numeric_data_4; } inline uint8_t** get_address_of_numeric_data_4() { return &___numeric_data_4; } inline void set_numeric_data_4(uint8_t* value) { ___numeric_data_4 = value; } inline static int32_t get_offset_of_numeric_data_values_5() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___numeric_data_values_5)); } inline double* get_numeric_data_values_5() const { return ___numeric_data_values_5; } inline double** get_address_of_numeric_data_values_5() { return &___numeric_data_values_5; } inline void set_numeric_data_values_5(double* value) { ___numeric_data_values_5 = value; } inline static int32_t get_offset_of_to_lower_data_low_6() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___to_lower_data_low_6)); } inline uint16_t* get_to_lower_data_low_6() const { return ___to_lower_data_low_6; } inline uint16_t** get_address_of_to_lower_data_low_6() { return &___to_lower_data_low_6; } inline void set_to_lower_data_low_6(uint16_t* value) { ___to_lower_data_low_6 = value; } inline static int32_t get_offset_of_to_lower_data_high_7() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___to_lower_data_high_7)); } inline uint16_t* get_to_lower_data_high_7() const { return ___to_lower_data_high_7; } inline uint16_t** get_address_of_to_lower_data_high_7() { return &___to_lower_data_high_7; } inline void set_to_lower_data_high_7(uint16_t* value) { ___to_lower_data_high_7 = value; } inline static int32_t get_offset_of_to_upper_data_low_8() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___to_upper_data_low_8)); } inline uint16_t* get_to_upper_data_low_8() const { return ___to_upper_data_low_8; } inline uint16_t** get_address_of_to_upper_data_low_8() { return &___to_upper_data_low_8; } inline void set_to_upper_data_low_8(uint16_t* value) { ___to_upper_data_low_8 = value; } inline static int32_t get_offset_of_to_upper_data_high_9() { return static_cast<int32_t>(offsetof(Char_t1390733074_StaticFields, ___to_upper_data_high_9)); } inline uint16_t* get_to_upper_data_high_9() const { return ___to_upper_data_high_9; } inline uint16_t** get_address_of_to_upper_data_high_9() { return &___to_upper_data_high_9; } inline void set_to_upper_data_high_9(uint16_t* value) { ___to_upper_data_high_9 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // CHAR_T1390733074_H #ifndef SERIALIZEPRIVATEVARIABLES_T4284723356_H #define SERIALIZEPRIVATEVARIABLES_T4284723356_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SerializePrivateVariables struct SerializePrivateVariables_t4284723356 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SERIALIZEPRIVATEVARIABLES_T4284723356_H #ifndef SHAREDBETWEENANIMATORSATTRIBUTE_T3116496384_H #define SHAREDBETWEENANIMATORSATTRIBUTE_T3116496384_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SharedBetweenAnimatorsAttribute struct SharedBetweenAnimatorsAttribute_t3116496384 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SHAREDBETWEENANIMATORSATTRIBUTE_T3116496384_H #ifndef ENUMERATOR_T1707317178_H #define ENUMERATOR_T1707317178_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.SocialPlatforms.GameCenter.GcLeaderboard> struct Enumerator_t1707317178 { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1/Enumerator::l List_1_t2786718293 * ___l_0; // System.Int32 System.Collections.Generic.List`1/Enumerator::next int32_t ___next_1; // System.Int32 System.Collections.Generic.List`1/Enumerator::ver int32_t ___ver_2; // T System.Collections.Generic.List`1/Enumerator::current GcLeaderboard_t1548357845 * ___current_3; public: inline static int32_t get_offset_of_l_0() { return static_cast<int32_t>(offsetof(Enumerator_t1707317178, ___l_0)); } inline List_1_t2786718293 * get_l_0() const { return ___l_0; } inline List_1_t2786718293 ** get_address_of_l_0() { return &___l_0; } inline void set_l_0(List_1_t2786718293 * value) { ___l_0 = value; Il2CppCodeGenWriteBarrier((&___l_0), value); } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Enumerator_t1707317178, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_ver_2() { return static_cast<int32_t>(offsetof(Enumerator_t1707317178, ___ver_2)); } inline int32_t get_ver_2() const { return ___ver_2; } inline int32_t* get_address_of_ver_2() { return &___ver_2; } inline void set_ver_2(int32_t value) { ___ver_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t1707317178, ___current_3)); } inline GcLeaderboard_t1548357845 * get_current_3() const { return ___current_3; } inline GcLeaderboard_t1548357845 ** get_address_of_current_3() { return &___current_3; } inline void set_current_3(GcLeaderboard_t1548357845 * value) { ___current_3 = value; Il2CppCodeGenWriteBarrier((&___current_3), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ENUMERATOR_T1707317178_H #ifndef REQUIREDBYNATIVECODEATTRIBUTE_T1030793160_H #define REQUIREDBYNATIVECODEATTRIBUTE_T1030793160_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Scripting.RequiredByNativeCodeAttribute struct RequiredByNativeCodeAttribute_t1030793160 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // REQUIREDBYNATIVECODEATTRIBUTE_T1030793160_H #ifndef RANGEINT_T2053840565_H #define RANGEINT_T2053840565_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RangeInt struct RangeInt_t2053840565 { 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_t2053840565, ___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_t2053840565, ___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_T2053840565_H #ifndef MATRIX4X4_T284900595_H #define MATRIX4X4_T284900595_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Matrix4x4 struct Matrix4x4_t284900595 { 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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595, ___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_t284900595_StaticFields { public: // UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::zeroMatrix Matrix4x4_t284900595 ___zeroMatrix_16; // UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::identityMatrix Matrix4x4_t284900595 ___identityMatrix_17; public: inline static int32_t get_offset_of_zeroMatrix_16() { return static_cast<int32_t>(offsetof(Matrix4x4_t284900595_StaticFields, ___zeroMatrix_16)); } inline Matrix4x4_t284900595 get_zeroMatrix_16() const { return ___zeroMatrix_16; } inline Matrix4x4_t284900595 * get_address_of_zeroMatrix_16() { return &___zeroMatrix_16; } inline void set_zeroMatrix_16(Matrix4x4_t284900595 value) { ___zeroMatrix_16 = value; } inline static int32_t get_offset_of_identityMatrix_17() { return static_cast<int32_t>(offsetof(Matrix4x4_t284900595_StaticFields, ___identityMatrix_17)); } inline Matrix4x4_t284900595 get_identityMatrix_17() const { return ___identityMatrix_17; } inline Matrix4x4_t284900595 * get_address_of_identityMatrix_17() { return &___identityMatrix_17; } inline void set_identityMatrix_17(Matrix4x4_t284900595 value) { ___identityMatrix_17 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // MATRIX4X4_T284900595_H #ifndef UILINEINFO_T2821259017_H #define UILINEINFO_T2821259017_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.UILineInfo struct UILineInfo_t2821259017 { public: // System.Int32 UnityEngine.UILineInfo::startCharIdx int32_t ___startCharIdx_0; // System.Int32 UnityEngine.UILineInfo::height int32_t ___height_1; // System.Single UnityEngine.UILineInfo::topY float ___topY_2; // System.Single UnityEngine.UILineInfo::leading float ___leading_3; public: inline static int32_t get_offset_of_startCharIdx_0() { return static_cast<int32_t>(offsetof(UILineInfo_t2821259017, ___startCharIdx_0)); } inline int32_t get_startCharIdx_0() const { return ___startCharIdx_0; } inline int32_t* get_address_of_startCharIdx_0() { return &___startCharIdx_0; } inline void set_startCharIdx_0(int32_t value) { ___startCharIdx_0 = value; } inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(UILineInfo_t2821259017, ___height_1)); } inline int32_t get_height_1() const { return ___height_1; } inline int32_t* get_address_of_height_1() { return &___height_1; } inline void set_height_1(int32_t value) { ___height_1 = value; } inline static int32_t get_offset_of_topY_2() { return static_cast<int32_t>(offsetof(UILineInfo_t2821259017, ___topY_2)); } inline float get_topY_2() const { return ___topY_2; } inline float* get_address_of_topY_2() { return &___topY_2; } inline void set_topY_2(float value) { ___topY_2 = value; } inline static int32_t get_offset_of_leading_3() { return static_cast<int32_t>(offsetof(UILineInfo_t2821259017, ___leading_3)); } inline float get_leading_3() const { return ___leading_3; } inline float* get_address_of_leading_3() { return &___leading_3; } inline void set_leading_3(float value) { ___leading_3 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UILINEINFO_T2821259017_H #ifndef ENUM_T761771976_H #define ENUM_T761771976_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Enum struct Enum_t761771976 : public ValueType_t199667939 { public: public: }; struct Enum_t761771976_StaticFields { public: // System.Char[] System.Enum::split_char CharU5BU5D_t1671368807* ___split_char_0; public: inline static int32_t get_offset_of_split_char_0() { return static_cast<int32_t>(offsetof(Enum_t761771976_StaticFields, ___split_char_0)); } inline CharU5BU5D_t1671368807* get_split_char_0() const { return ___split_char_0; } inline CharU5BU5D_t1671368807** get_address_of_split_char_0() { return &___split_char_0; } inline void set_split_char_0(CharU5BU5D_t1671368807* value) { ___split_char_0 = value; Il2CppCodeGenWriteBarrier((&___split_char_0), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of System.Enum struct Enum_t761771976_marshaled_pinvoke { }; // Native definition for COM marshalling of System.Enum struct Enum_t761771976_marshaled_com { }; #endif // ENUM_T761771976_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 SYSTEMEXCEPTION_T1013559332_H #define SYSTEMEXCEPTION_T1013559332_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.SystemException struct SystemException_t1013559332 : public Exception_t4051195559 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SYSTEMEXCEPTION_T1013559332_H #ifndef QUATERNION_T1904711730_H #define QUATERNION_T1904711730_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Quaternion struct Quaternion_t1904711730 { 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_t1904711730, ___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_t1904711730, ___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_t1904711730, ___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_t1904711730, ___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_t1904711730_StaticFields { public: // UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion Quaternion_t1904711730 ___identityQuaternion_4; public: inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t1904711730_StaticFields, ___identityQuaternion_4)); } inline Quaternion_t1904711730 get_identityQuaternion_4() const { return ___identityQuaternion_4; } inline Quaternion_t1904711730 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; } inline void set_identityQuaternion_4(Quaternion_t1904711730 value) { ___identityQuaternion_4 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // QUATERNION_T1904711730_H #ifndef INT32_T722418373_H #define INT32_T722418373_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int32 struct Int32_t722418373 { public: // System.Int32 System.Int32::m_value int32_t ___m_value_2; public: inline static int32_t get_offset_of_m_value_2() { return static_cast<int32_t>(offsetof(Int32_t722418373, ___m_value_2)); } inline int32_t get_m_value_2() const { return ___m_value_2; } inline int32_t* get_address_of_m_value_2() { return &___m_value_2; } inline void set_m_value_2(int32_t value) { ___m_value_2 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // INT32_T722418373_H #ifndef BOOLEAN_T2424243573_H #define BOOLEAN_T2424243573_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean struct Boolean_t2424243573 { public: // System.Boolean System.Boolean::m_value bool ___m_value_2; public: inline static int32_t get_offset_of_m_value_2() { return static_cast<int32_t>(offsetof(Boolean_t2424243573, ___m_value_2)); } inline bool get_m_value_2() const { return ___m_value_2; } inline bool* get_address_of_m_value_2() { return &___m_value_2; } inline void set_m_value_2(bool value) { ___m_value_2 = value; } }; struct Boolean_t2424243573_StaticFields { public: // System.String System.Boolean::FalseString String_t* ___FalseString_0; // System.String System.Boolean::TrueString String_t* ___TrueString_1; public: inline static int32_t get_offset_of_FalseString_0() { return static_cast<int32_t>(offsetof(Boolean_t2424243573_StaticFields, ___FalseString_0)); } inline String_t* get_FalseString_0() const { return ___FalseString_0; } inline String_t** get_address_of_FalseString_0() { return &___FalseString_0; } inline void set_FalseString_0(String_t* value) { ___FalseString_0 = value; Il2CppCodeGenWriteBarrier((&___FalseString_0), value); } inline static int32_t get_offset_of_TrueString_1() { return static_cast<int32_t>(offsetof(Boolean_t2424243573_StaticFields, ___TrueString_1)); } inline String_t* get_TrueString_1() const { return ___TrueString_1; } inline String_t** get_address_of_TrueString_1() { return &___TrueString_1; } inline void set_TrueString_1(String_t* value) { ___TrueString_1 = value; Il2CppCodeGenWriteBarrier((&___TrueString_1), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // BOOLEAN_T2424243573_H #ifndef VOID_T2676950004_H #define VOID_T2676950004_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void struct Void_t2676950004 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // VOID_T2676950004_H #ifndef RECT_T2469536665_H #define RECT_T2469536665_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Rect struct Rect_t2469536665 { 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_t2469536665, ___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_t2469536665, ___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_t2469536665, ___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_t2469536665, ___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_T2469536665_H #ifndef SINGLE_T3328667513_H #define SINGLE_T3328667513_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Single struct Single_t3328667513 { public: // System.Single System.Single::m_value float ___m_value_7; public: inline static int32_t get_offset_of_m_value_7() { return static_cast<int32_t>(offsetof(Single_t3328667513, ___m_value_7)); } inline float get_m_value_7() const { return ___m_value_7; } inline float* get_address_of_m_value_7() { return &___m_value_7; } inline void set_m_value_7(float value) { ___m_value_7 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SINGLE_T3328667513_H #ifndef TIMESPAN_T1868885790_H #define TIMESPAN_T1868885790_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.TimeSpan struct TimeSpan_t1868885790 { public: // System.Int64 System.TimeSpan::_ticks int64_t ____ticks_3; public: inline static int32_t get_offset_of__ticks_3() { return static_cast<int32_t>(offsetof(TimeSpan_t1868885790, ____ticks_3)); } inline int64_t get__ticks_3() const { return ____ticks_3; } inline int64_t* get_address_of__ticks_3() { return &____ticks_3; } inline void set__ticks_3(int64_t value) { ____ticks_3 = value; } }; struct TimeSpan_t1868885790_StaticFields { public: // System.TimeSpan System.TimeSpan::MaxValue TimeSpan_t1868885790 ___MaxValue_0; // System.TimeSpan System.TimeSpan::MinValue TimeSpan_t1868885790 ___MinValue_1; // System.TimeSpan System.TimeSpan::Zero TimeSpan_t1868885790 ___Zero_2; public: inline static int32_t get_offset_of_MaxValue_0() { return static_cast<int32_t>(offsetof(TimeSpan_t1868885790_StaticFields, ___MaxValue_0)); } inline TimeSpan_t1868885790 get_MaxValue_0() const { return ___MaxValue_0; } inline TimeSpan_t1868885790 * get_address_of_MaxValue_0() { return &___MaxValue_0; } inline void set_MaxValue_0(TimeSpan_t1868885790 value) { ___MaxValue_0 = value; } inline static int32_t get_offset_of_MinValue_1() { return static_cast<int32_t>(offsetof(TimeSpan_t1868885790_StaticFields, ___MinValue_1)); } inline TimeSpan_t1868885790 get_MinValue_1() const { return ___MinValue_1; } inline TimeSpan_t1868885790 * get_address_of_MinValue_1() { return &___MinValue_1; } inline void set_MinValue_1(TimeSpan_t1868885790 value) { ___MinValue_1 = value; } inline static int32_t get_offset_of_Zero_2() { return static_cast<int32_t>(offsetof(TimeSpan_t1868885790_StaticFields, ___Zero_2)); } inline TimeSpan_t1868885790 get_Zero_2() const { return ___Zero_2; } inline TimeSpan_t1868885790 * get_address_of_Zero_2() { return &___Zero_2; } inline void set_Zero_2(TimeSpan_t1868885790 value) { ___Zero_2 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TIMESPAN_T1868885790_H #ifndef VECTOR2_T1870731928_H #define VECTOR2_T1870731928_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Vector2 struct Vector2_t1870731928 { 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_t1870731928, ___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_t1870731928, ___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_t1870731928_StaticFields { public: // UnityEngine.Vector2 UnityEngine.Vector2::zeroVector Vector2_t1870731928 ___zeroVector_2; // UnityEngine.Vector2 UnityEngine.Vector2::oneVector Vector2_t1870731928 ___oneVector_3; // UnityEngine.Vector2 UnityEngine.Vector2::upVector Vector2_t1870731928 ___upVector_4; // UnityEngine.Vector2 UnityEngine.Vector2::downVector Vector2_t1870731928 ___downVector_5; // UnityEngine.Vector2 UnityEngine.Vector2::leftVector Vector2_t1870731928 ___leftVector_6; // UnityEngine.Vector2 UnityEngine.Vector2::rightVector Vector2_t1870731928 ___rightVector_7; // UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector Vector2_t1870731928 ___positiveInfinityVector_8; // UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector Vector2_t1870731928 ___negativeInfinityVector_9; public: inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___zeroVector_2)); } inline Vector2_t1870731928 get_zeroVector_2() const { return ___zeroVector_2; } inline Vector2_t1870731928 * get_address_of_zeroVector_2() { return &___zeroVector_2; } inline void set_zeroVector_2(Vector2_t1870731928 value) { ___zeroVector_2 = value; } inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___oneVector_3)); } inline Vector2_t1870731928 get_oneVector_3() const { return ___oneVector_3; } inline Vector2_t1870731928 * get_address_of_oneVector_3() { return &___oneVector_3; } inline void set_oneVector_3(Vector2_t1870731928 value) { ___oneVector_3 = value; } inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___upVector_4)); } inline Vector2_t1870731928 get_upVector_4() const { return ___upVector_4; } inline Vector2_t1870731928 * get_address_of_upVector_4() { return &___upVector_4; } inline void set_upVector_4(Vector2_t1870731928 value) { ___upVector_4 = value; } inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___downVector_5)); } inline Vector2_t1870731928 get_downVector_5() const { return ___downVector_5; } inline Vector2_t1870731928 * get_address_of_downVector_5() { return &___downVector_5; } inline void set_downVector_5(Vector2_t1870731928 value) { ___downVector_5 = value; } inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___leftVector_6)); } inline Vector2_t1870731928 get_leftVector_6() const { return ___leftVector_6; } inline Vector2_t1870731928 * get_address_of_leftVector_6() { return &___leftVector_6; } inline void set_leftVector_6(Vector2_t1870731928 value) { ___leftVector_6 = value; } inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___rightVector_7)); } inline Vector2_t1870731928 get_rightVector_7() const { return ___rightVector_7; } inline Vector2_t1870731928 * get_address_of_rightVector_7() { return &___rightVector_7; } inline void set_rightVector_7(Vector2_t1870731928 value) { ___rightVector_7 = value; } inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___positiveInfinityVector_8)); } inline Vector2_t1870731928 get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; } inline Vector2_t1870731928 * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; } inline void set_positiveInfinityVector_8(Vector2_t1870731928 value) { ___positiveInfinityVector_8 = value; } inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_t1870731928_StaticFields, ___negativeInfinityVector_9)); } inline Vector2_t1870731928 get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; } inline Vector2_t1870731928 * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; } inline void set_negativeInfinityVector_9(Vector2_t1870731928 value) { ___negativeInfinityVector_9 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // VECTOR2_T1870731928_H #ifndef VECTOR3_T1874995928_H #define VECTOR3_T1874995928_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Vector3 struct Vector3_t1874995928 { public: // System.Single UnityEngine.Vector3::x float ___x_1; // System.Single UnityEngine.Vector3::y float ___y_2; // System.Single UnityEngine.Vector3::z float ___z_3; public: inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector3_t1874995928, ___x_1)); } inline float get_x_1() const { return ___x_1; } inline float* get_address_of_x_1() { return &___x_1; } inline void set_x_1(float value) { ___x_1 = value; } inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector3_t1874995928, ___y_2)); } inline float get_y_2() const { return ___y_2; } inline float* get_address_of_y_2() { return &___y_2; } inline void set_y_2(float value) { ___y_2 = value; } inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector3_t1874995928, ___z_3)); } inline float get_z_3() const { return ___z_3; } inline float* get_address_of_z_3() { return &___z_3; } inline void set_z_3(float value) { ___z_3 = value; } }; struct Vector3_t1874995928_StaticFields { public: // UnityEngine.Vector3 UnityEngine.Vector3::zeroVector Vector3_t1874995928 ___zeroVector_4; // UnityEngine.Vector3 UnityEngine.Vector3::oneVector Vector3_t1874995928 ___oneVector_5; // UnityEngine.Vector3 UnityEngine.Vector3::upVector Vector3_t1874995928 ___upVector_6; // UnityEngine.Vector3 UnityEngine.Vector3::downVector Vector3_t1874995928 ___downVector_7; // UnityEngine.Vector3 UnityEngine.Vector3::leftVector Vector3_t1874995928 ___leftVector_8; // UnityEngine.Vector3 UnityEngine.Vector3::rightVector Vector3_t1874995928 ___rightVector_9; // UnityEngine.Vector3 UnityEngine.Vector3::forwardVector Vector3_t1874995928 ___forwardVector_10; // UnityEngine.Vector3 UnityEngine.Vector3::backVector Vector3_t1874995928 ___backVector_11; // UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector Vector3_t1874995928 ___positiveInfinityVector_12; // UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector Vector3_t1874995928 ___negativeInfinityVector_13; public: inline static int32_t get_offset_of_zeroVector_4() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___zeroVector_4)); } inline Vector3_t1874995928 get_zeroVector_4() const { return ___zeroVector_4; } inline Vector3_t1874995928 * get_address_of_zeroVector_4() { return &___zeroVector_4; } inline void set_zeroVector_4(Vector3_t1874995928 value) { ___zeroVector_4 = value; } inline static int32_t get_offset_of_oneVector_5() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___oneVector_5)); } inline Vector3_t1874995928 get_oneVector_5() const { return ___oneVector_5; } inline Vector3_t1874995928 * get_address_of_oneVector_5() { return &___oneVector_5; } inline void set_oneVector_5(Vector3_t1874995928 value) { ___oneVector_5 = value; } inline static int32_t get_offset_of_upVector_6() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___upVector_6)); } inline Vector3_t1874995928 get_upVector_6() const { return ___upVector_6; } inline Vector3_t1874995928 * get_address_of_upVector_6() { return &___upVector_6; } inline void set_upVector_6(Vector3_t1874995928 value) { ___upVector_6 = value; } inline static int32_t get_offset_of_downVector_7() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___downVector_7)); } inline Vector3_t1874995928 get_downVector_7() const { return ___downVector_7; } inline Vector3_t1874995928 * get_address_of_downVector_7() { return &___downVector_7; } inline void set_downVector_7(Vector3_t1874995928 value) { ___downVector_7 = value; } inline static int32_t get_offset_of_leftVector_8() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___leftVector_8)); } inline Vector3_t1874995928 get_leftVector_8() const { return ___leftVector_8; } inline Vector3_t1874995928 * get_address_of_leftVector_8() { return &___leftVector_8; } inline void set_leftVector_8(Vector3_t1874995928 value) { ___leftVector_8 = value; } inline static int32_t get_offset_of_rightVector_9() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___rightVector_9)); } inline Vector3_t1874995928 get_rightVector_9() const { return ___rightVector_9; } inline Vector3_t1874995928 * get_address_of_rightVector_9() { return &___rightVector_9; } inline void set_rightVector_9(Vector3_t1874995928 value) { ___rightVector_9 = value; } inline static int32_t get_offset_of_forwardVector_10() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___forwardVector_10)); } inline Vector3_t1874995928 get_forwardVector_10() const { return ___forwardVector_10; } inline Vector3_t1874995928 * get_address_of_forwardVector_10() { return &___forwardVector_10; } inline void set_forwardVector_10(Vector3_t1874995928 value) { ___forwardVector_10 = value; } inline static int32_t get_offset_of_backVector_11() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___backVector_11)); } inline Vector3_t1874995928 get_backVector_11() const { return ___backVector_11; } inline Vector3_t1874995928 * get_address_of_backVector_11() { return &___backVector_11; } inline void set_backVector_11(Vector3_t1874995928 value) { ___backVector_11 = value; } inline static int32_t get_offset_of_positiveInfinityVector_12() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___positiveInfinityVector_12)); } inline Vector3_t1874995928 get_positiveInfinityVector_12() const { return ___positiveInfinityVector_12; } inline Vector3_t1874995928 * get_address_of_positiveInfinityVector_12() { return &___positiveInfinityVector_12; } inline void set_positiveInfinityVector_12(Vector3_t1874995928 value) { ___positiveInfinityVector_12 = value; } inline static int32_t get_offset_of_negativeInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_t1874995928_StaticFields, ___negativeInfinityVector_13)); } inline Vector3_t1874995928 get_negativeInfinityVector_13() const { return ___negativeInfinityVector_13; } inline Vector3_t1874995928 * get_address_of_negativeInfinityVector_13() { return &___negativeInfinityVector_13; } inline void set_negativeInfinityVector_13(Vector3_t1874995928 value) { ___negativeInfinityVector_13 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // VECTOR3_T1874995928_H #ifndef USEDBYNATIVECODEATTRIBUTE_T1852015182_H #define USEDBYNATIVECODEATTRIBUTE_T1852015182_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Scripting.UsedByNativeCodeAttribute struct UsedByNativeCodeAttribute_t1852015182 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // USEDBYNATIVECODEATTRIBUTE_T1852015182_H #ifndef TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T2818254663_H #define TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T2818254663_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_t2818254663 { 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; public: inline static int32_t get_offset_of_keyboardType_0() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663, ___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_t2818254663, ___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_t2818254663, ___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_t2818254663, ___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_t2818254663, ___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; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TOUCHSCREENKEYBOARD_INTERNALCONSTRUCTORHELPERARGUMENTS_T2818254663_H #ifndef COLOR_T3136506488_H #define COLOR_T3136506488_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Color struct Color_t3136506488 { 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_t3136506488, ___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_t3136506488, ___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_t3136506488, ___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_t3136506488, ___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_T3136506488_H #ifndef GENERATEDBYOLDBINDINGSGENERATORATTRIBUTE_T950238300_H #define GENERATEDBYOLDBINDINGSGENERATORATTRIBUTE_T950238300_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Scripting.GeneratedByOldBindingsGeneratorAttribute struct GeneratedByOldBindingsGeneratorAttribute_t950238300 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // GENERATEDBYOLDBINDINGSGENERATORATTRIBUTE_T950238300_H #ifndef MOVEDFROMATTRIBUTE_T3568563588_H #define MOVEDFROMATTRIBUTE_T3568563588_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_t3568563588 : public Attribute_t3000105177 { 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_t3568563588, ___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_t3568563588, ___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_T3568563588_H #ifndef REQUIRECOMPONENT_T3347582808_H #define REQUIRECOMPONENT_T3347582808_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RequireComponent struct RequireComponent_t3347582808 : public Attribute_t3000105177 { 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_t3347582808, ___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_t3347582808, ___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_t3347582808, ___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_T3347582808_H #ifndef SCENE_T2427896891_H #define SCENE_T2427896891_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_t2427896891 { 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_t2427896891, ___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_T2427896891_H #ifndef THREADANDSERIALIZATIONSAFEATTRIBUTE_T3708378210_H #define THREADANDSERIALIZATIONSAFEATTRIBUTE_T3708378210_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.ThreadAndSerializationSafeAttribute struct ThreadAndSerializationSafeAttribute_t3708378210 : public Attribute_t3000105177 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // THREADANDSERIALIZATIONSAFEATTRIBUTE_T3708378210_H #ifndef DATETIMEKIND_T3705028314_H #define DATETIMEKIND_T3705028314_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.DateTimeKind struct DateTimeKind_t3705028314 { public: // System.Int32 System.DateTimeKind::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DateTimeKind_t3705028314, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DATETIMEKIND_T3705028314_H #ifndef TEXTAREAATTRIBUTE_T3509639333_H #define TEXTAREAATTRIBUTE_T3509639333_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextAreaAttribute struct TextAreaAttribute_t3509639333 : public PropertyAttribute_t3175850472 { 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_t3509639333, ___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_t3509639333, ___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_T3509639333_H #ifndef TEXTANCHOR_T1116031447_H #define TEXTANCHOR_T1116031447_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextAnchor struct TextAnchor_t1116031447 { public: // System.Int32 UnityEngine.TextAnchor::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TextAnchor_t1116031447, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTANCHOR_T1116031447_H #ifndef TEXTCLIPPING_T3084615976_H #define TEXTCLIPPING_T3084615976_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextClipping struct TextClipping_t3084615976 { public: // System.Int32 UnityEngine.TextClipping::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TextClipping_t3084615976, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTCLIPPING_T3084615976_H #ifndef USERSTATE_T1300169449_H #define USERSTATE_T1300169449_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.UserState struct UserState_t1300169449 { public: // System.Int32 UnityEngine.SocialPlatforms.UserState::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(UserState_t1300169449, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // USERSTATE_T1300169449_H #ifndef OPERATINGSYSTEMFAMILY_T485496440_H #define OPERATINGSYSTEMFAMILY_T485496440_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.OperatingSystemFamily struct OperatingSystemFamily_t485496440 { public: // System.Int32 UnityEngine.OperatingSystemFamily::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(OperatingSystemFamily_t485496440, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // OPERATINGSYSTEMFAMILY_T485496440_H #ifndef DBLCLICKSNAPPING_T157650003_H #define DBLCLICKSNAPPING_T157650003_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextEditor/DblClickSnapping struct DblClickSnapping_t157650003 { public: // System.Byte UnityEngine.TextEditor/DblClickSnapping::value__ uint8_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DblClickSnapping_t157650003, ___value___1)); } inline uint8_t get_value___1() const { return ___value___1; } inline uint8_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(uint8_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DBLCLICKSNAPPING_T157650003_H #ifndef SPACEATTRIBUTE_T658595587_H #define SPACEATTRIBUTE_T658595587_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SpaceAttribute struct SpaceAttribute_t658595587 : public PropertyAttribute_t3175850472 { 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_t658595587, ___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_T658595587_H #ifndef TOOLTIPATTRIBUTE_T2393142556_H #define TOOLTIPATTRIBUTE_T2393142556_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TooltipAttribute struct TooltipAttribute_t2393142556 : public PropertyAttribute_t3175850472 { 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_t2393142556, ___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_T2393142556_H #ifndef RUNTIMETYPEHANDLE_T3167537512_H #define RUNTIMETYPEHANDLE_T3167537512_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.RuntimeTypeHandle struct RuntimeTypeHandle_t3167537512 { 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_t3167537512, ___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_T3167537512_H #ifndef FONTSTYLE_T363196109_H #define FONTSTYLE_T363196109_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.FontStyle struct FontStyle_t363196109 { public: // System.Int32 UnityEngine.FontStyle::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(FontStyle_t363196109, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // FONTSTYLE_T363196109_H #ifndef VERTICALWRAPMODE_T3892631209_H #define VERTICALWRAPMODE_T3892631209_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.VerticalWrapMode struct VerticalWrapMode_t3892631209 { public: // System.Int32 UnityEngine.VerticalWrapMode::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(VerticalWrapMode_t3892631209, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // VERTICALWRAPMODE_T3892631209_H #ifndef UICHARINFO_T521654658_H #define UICHARINFO_T521654658_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.UICharInfo struct UICharInfo_t521654658 { public: // UnityEngine.Vector2 UnityEngine.UICharInfo::cursorPos Vector2_t1870731928 ___cursorPos_0; // System.Single UnityEngine.UICharInfo::charWidth float ___charWidth_1; public: inline static int32_t get_offset_of_cursorPos_0() { return static_cast<int32_t>(offsetof(UICharInfo_t521654658, ___cursorPos_0)); } inline Vector2_t1870731928 get_cursorPos_0() const { return ___cursorPos_0; } inline Vector2_t1870731928 * get_address_of_cursorPos_0() { return &___cursorPos_0; } inline void set_cursorPos_0(Vector2_t1870731928 value) { ___cursorPos_0 = value; } inline static int32_t get_offset_of_charWidth_1() { return static_cast<int32_t>(offsetof(UICharInfo_t521654658, ___charWidth_1)); } inline float get_charWidth_1() const { return ___charWidth_1; } inline float* get_address_of_charWidth_1() { return &___charWidth_1; } inline void set_charWidth_1(float value) { ___charWidth_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UICHARINFO_T521654658_H #ifndef HORIZONTALWRAPMODE_T211990075_H #define HORIZONTALWRAPMODE_T211990075_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.HorizontalWrapMode struct HorizontalWrapMode_t211990075 { public: // System.Int32 UnityEngine.HorizontalWrapMode::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(HorizontalWrapMode_t211990075, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // HORIZONTALWRAPMODE_T211990075_H #ifndef TRACKEDREFERENCE_T2314189973_H #define TRACKEDREFERENCE_T2314189973_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TrackedReference struct TrackedReference_t2314189973 : 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_t2314189973, ___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_t2314189973_marshaled_pinvoke { intptr_t ___m_Ptr_0; }; // Native definition for COM marshalling of UnityEngine.TrackedReference struct TrackedReference_t2314189973_marshaled_com { intptr_t ___m_Ptr_0; }; #endif // TRACKEDREFERENCE_T2314189973_H #ifndef TEXTUREWRAPMODE_T2186063332_H #define TEXTUREWRAPMODE_T2186063332_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextureWrapMode struct TextureWrapMode_t2186063332 { public: // System.Int32 UnityEngine.TextureWrapMode::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TextureWrapMode_t2186063332, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTUREWRAPMODE_T2186063332_H #ifndef TEXTUREFORMAT_T2536991944_H #define TEXTUREFORMAT_T2536991944_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextureFormat struct TextureFormat_t2536991944 { public: // System.Int32 UnityEngine.TextureFormat::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TextureFormat_t2536991944, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTUREFORMAT_T2536991944_H #ifndef TOUCHSCREENKEYBOARDTYPE_T2126995860_H #define TOUCHSCREENKEYBOARDTYPE_T2126995860_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TouchScreenKeyboardType struct TouchScreenKeyboardType_t2126995860 { public: // System.Int32 UnityEngine.TouchScreenKeyboardType::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchScreenKeyboardType_t2126995860, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TOUCHSCREENKEYBOARDTYPE_T2126995860_H #ifndef TOUCHTYPE_T3736445806_H #define TOUCHTYPE_T3736445806_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TouchType struct TouchType_t3736445806 { public: // System.Int32 UnityEngine.TouchType::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchType_t3736445806, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TOUCHTYPE_T3736445806_H #ifndef TOUCHPHASE_T4239891811_H #define TOUCHPHASE_T4239891811_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TouchPhase struct TouchPhase_t4239891811 { public: // System.Int32 UnityEngine.TouchPhase::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchPhase_t4239891811, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TOUCHPHASE_T4239891811_H #ifndef TEXTGENERATIONERROR_T2800342738_H #define TEXTGENERATIONERROR_T2800342738_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextGenerationError struct TextGenerationError_t2800342738 { public: // System.Int32 UnityEngine.TextGenerationError::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TextGenerationError_t2800342738, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTGENERATIONERROR_T2800342738_H #ifndef TOUCHSCREENKEYBOARD_T2626315871_H #define TOUCHSCREENKEYBOARD_T2626315871_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TouchScreenKeyboard struct TouchScreenKeyboard_t2626315871 : public RuntimeObject { public: // System.IntPtr UnityEngine.TouchScreenKeyboard::m_Ptr IntPtr_t ___m_Ptr_0; public: inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_t2626315871, ___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 // TOUCHSCREENKEYBOARD_T2626315871_H #ifndef PLAYABLEHANDLE_T1049564817_H #define PLAYABLEHANDLE_T1049564817_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Playables.PlayableHandle struct PlayableHandle_t1049564817 { public: // System.IntPtr UnityEngine.Playables.PlayableHandle::m_Handle IntPtr_t ___m_Handle_0; // System.Int32 UnityEngine.Playables.PlayableHandle::m_Version int32_t ___m_Version_1; public: inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableHandle_t1049564817, ___m_Handle_0)); } inline IntPtr_t get_m_Handle_0() const { return ___m_Handle_0; } inline IntPtr_t* get_address_of_m_Handle_0() { return &___m_Handle_0; } inline void set_m_Handle_0(IntPtr_t value) { ___m_Handle_0 = value; } inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(PlayableHandle_t1049564817, ___m_Version_1)); } inline int32_t get_m_Version_1() const { return ___m_Version_1; } inline int32_t* get_address_of_m_Version_1() { return &___m_Version_1; } inline void set_m_Version_1(int32_t value) { ___m_Version_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // PLAYABLEHANDLE_T1049564817_H #ifndef USERSCOPE_T1971278910_H #define USERSCOPE_T1971278910_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.UserScope struct UserScope_t1971278910 { public: // System.Int32 UnityEngine.SocialPlatforms.UserScope::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(UserScope_t1971278910, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // USERSCOPE_T1971278910_H #ifndef SENDMESSAGEOPTIONS_T1092477406_H #define SENDMESSAGEOPTIONS_T1092477406_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SendMessageOptions struct SendMessageOptions_t1092477406 { public: // System.Int32 UnityEngine.SendMessageOptions::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(SendMessageOptions_t1092477406, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SENDMESSAGEOPTIONS_T1092477406_H #ifndef CAMERACLEARFLAGS_T536205005_H #define CAMERACLEARFLAGS_T536205005_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.CameraClearFlags struct CameraClearFlags_t536205005 { public: // System.Int32 UnityEngine.CameraClearFlags::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(CameraClearFlags_t536205005, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // CAMERACLEARFLAGS_T536205005_H #ifndef TIMESCOPE_T2868242971_H #define TIMESCOPE_T2868242971_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.TimeScope struct TimeScope_t2868242971 { public: // System.Int32 UnityEngine.SocialPlatforms.TimeScope::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TimeScope_t2868242971, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TIMESCOPE_T2868242971_H #ifndef RUNTIMEPLATFORM_T2149335356_H #define RUNTIMEPLATFORM_T2149335356_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RuntimePlatform struct RuntimePlatform_t2149335356 { public: // System.Int32 UnityEngine.RuntimePlatform::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(RuntimePlatform_t2149335356, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RUNTIMEPLATFORM_T2149335356_H #ifndef ASYNCOPERATION_T1471752968_H #define ASYNCOPERATION_T1471752968_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.AsyncOperation struct AsyncOperation_t1471752968 : public YieldInstruction_t575932729 { public: // System.IntPtr UnityEngine.AsyncOperation::m_Ptr IntPtr_t ___m_Ptr_0; public: inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(AsyncOperation_t1471752968, ___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.AsyncOperation struct AsyncOperation_t1471752968_marshaled_pinvoke : public YieldInstruction_t575932729_marshaled_pinvoke { intptr_t ___m_Ptr_0; }; // Native definition for COM marshalling of UnityEngine.AsyncOperation struct AsyncOperation_t1471752968_marshaled_com : public YieldInstruction_t575932729_marshaled_com { intptr_t ___m_Ptr_0; }; #endif // ASYNCOPERATION_T1471752968_H #ifndef ARGUMENTEXCEPTION_T2901442306_H #define ARGUMENTEXCEPTION_T2901442306_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.ArgumentException struct ArgumentException_t2901442306 : public SystemException_t1013559332 { public: // System.String System.ArgumentException::param_name String_t* ___param_name_12; public: inline static int32_t get_offset_of_param_name_12() { return static_cast<int32_t>(offsetof(ArgumentException_t2901442306, ___param_name_12)); } inline String_t* get_param_name_12() const { return ___param_name_12; } inline String_t** get_address_of_param_name_12() { return &___param_name_12; } inline void set_param_name_12(String_t* value) { ___param_name_12 = value; Il2CppCodeGenWriteBarrier((&___param_name_12), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ARGUMENTEXCEPTION_T2901442306_H #ifndef BINDINGFLAGS_T636572493_H #define BINDINGFLAGS_T636572493_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_t636572493 { public: // System.Int32 System.Reflection.BindingFlags::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(BindingFlags_t636572493, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // BINDINGFLAGS_T636572493_H #ifndef SKELETONBONE_T223881975_H #define SKELETONBONE_T223881975_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SkeletonBone struct SkeletonBone_t223881975 { public: // System.String UnityEngine.SkeletonBone::name String_t* ___name_0; // System.String UnityEngine.SkeletonBone::parentName String_t* ___parentName_1; // UnityEngine.Vector3 UnityEngine.SkeletonBone::position Vector3_t1874995928 ___position_2; // UnityEngine.Quaternion UnityEngine.SkeletonBone::rotation Quaternion_t1904711730 ___rotation_3; // UnityEngine.Vector3 UnityEngine.SkeletonBone::scale Vector3_t1874995928 ___scale_4; public: inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(SkeletonBone_t223881975, ___name_0)); } inline String_t* get_name_0() const { return ___name_0; } inline String_t** get_address_of_name_0() { return &___name_0; } inline void set_name_0(String_t* value) { ___name_0 = value; Il2CppCodeGenWriteBarrier((&___name_0), value); } inline static int32_t get_offset_of_parentName_1() { return static_cast<int32_t>(offsetof(SkeletonBone_t223881975, ___parentName_1)); } inline String_t* get_parentName_1() const { return ___parentName_1; } inline String_t** get_address_of_parentName_1() { return &___parentName_1; } inline void set_parentName_1(String_t* value) { ___parentName_1 = value; Il2CppCodeGenWriteBarrier((&___parentName_1), value); } inline static int32_t get_offset_of_position_2() { return static_cast<int32_t>(offsetof(SkeletonBone_t223881975, ___position_2)); } inline Vector3_t1874995928 get_position_2() const { return ___position_2; } inline Vector3_t1874995928 * get_address_of_position_2() { return &___position_2; } inline void set_position_2(Vector3_t1874995928 value) { ___position_2 = value; } inline static int32_t get_offset_of_rotation_3() { return static_cast<int32_t>(offsetof(SkeletonBone_t223881975, ___rotation_3)); } inline Quaternion_t1904711730 get_rotation_3() const { return ___rotation_3; } inline Quaternion_t1904711730 * get_address_of_rotation_3() { return &___rotation_3; } inline void set_rotation_3(Quaternion_t1904711730 value) { ___rotation_3 = value; } inline static int32_t get_offset_of_scale_4() { return static_cast<int32_t>(offsetof(SkeletonBone_t223881975, ___scale_4)); } inline Vector3_t1874995928 get_scale_4() const { return ___scale_4; } inline Vector3_t1874995928 * get_address_of_scale_4() { return &___scale_4; } inline void set_scale_4(Vector3_t1874995928 value) { ___scale_4 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SkeletonBone struct SkeletonBone_t223881975_marshaled_pinvoke { char* ___name_0; char* ___parentName_1; Vector3_t1874995928 ___position_2; Quaternion_t1904711730 ___rotation_3; Vector3_t1874995928 ___scale_4; }; // Native definition for COM marshalling of UnityEngine.SkeletonBone struct SkeletonBone_t223881975_marshaled_com { Il2CppChar* ___name_0; Il2CppChar* ___parentName_1; Vector3_t1874995928 ___position_2; Quaternion_t1904711730 ___rotation_3; Vector3_t1874995928 ___scale_4; }; #endif // SKELETONBONE_T223881975_H #ifndef RENDERMODE_T371552777_H #define RENDERMODE_T371552777_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RenderMode struct RenderMode_t371552777 { public: // System.Int32 UnityEngine.RenderMode::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(RenderMode_t371552777, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RENDERMODE_T371552777_H #ifndef STENCILOP_T3821324946_H #define STENCILOP_T3821324946_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_t3821324946 { public: // System.Int32 UnityEngine.Rendering.StencilOp::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(StencilOp_t3821324946, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STENCILOP_T3821324946_H #ifndef LOADSCENEMODE_T4237216793_H #define LOADSCENEMODE_T4237216793_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_t4237216793 { public: // System.Int32 UnityEngine.SceneManagement.LoadSceneMode::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(LoadSceneMode_t4237216793, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LOADSCENEMODE_T4237216793_H #ifndef COLORWRITEMASK_T4194103910_H #define COLORWRITEMASK_T4194103910_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_t4194103910 { public: // System.Int32 UnityEngine.Rendering.ColorWriteMask::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(ColorWriteMask_t4194103910, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // COLORWRITEMASK_T4194103910_H #ifndef COMPAREFUNCTION_T324435444_H #define COMPAREFUNCTION_T324435444_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_t324435444 { public: // System.Int32 UnityEngine.Rendering.CompareFunction::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(CompareFunction_t324435444, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // COMPAREFUNCTION_T324435444_H #ifndef RAY_T1507008441_H #define RAY_T1507008441_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Ray struct Ray_t1507008441 { public: // UnityEngine.Vector3 UnityEngine.Ray::m_Origin Vector3_t1874995928 ___m_Origin_0; // UnityEngine.Vector3 UnityEngine.Ray::m_Direction Vector3_t1874995928 ___m_Direction_1; public: inline static int32_t get_offset_of_m_Origin_0() { return static_cast<int32_t>(offsetof(Ray_t1507008441, ___m_Origin_0)); } inline Vector3_t1874995928 get_m_Origin_0() const { return ___m_Origin_0; } inline Vector3_t1874995928 * get_address_of_m_Origin_0() { return &___m_Origin_0; } inline void set_m_Origin_0(Vector3_t1874995928 value) { ___m_Origin_0 = value; } inline static int32_t get_offset_of_m_Direction_1() { return static_cast<int32_t>(offsetof(Ray_t1507008441, ___m_Direction_1)); } inline Vector3_t1874995928 get_m_Direction_1() const { return ___m_Direction_1; } inline Vector3_t1874995928 * get_address_of_m_Direction_1() { return &___m_Direction_1; } inline void set_m_Direction_1(Vector3_t1874995928 value) { ___m_Direction_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RAY_T1507008441_H #ifndef OBJECT_T1699899486_H #define OBJECT_T1699899486_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Object struct Object_t1699899486 : 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_t1699899486, ___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_t1699899486_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_t1699899486_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_t1699899486_marshaled_pinvoke { intptr_t ___m_CachedPtr_0; }; // Native definition for COM marshalling of UnityEngine.Object struct Object_t1699899486_marshaled_com { intptr_t ___m_CachedPtr_0; }; #endif // OBJECT_T1699899486_H #ifndef GCLEADERBOARD_T1548357845_H #define GCLEADERBOARD_T1548357845_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard struct GcLeaderboard_t1548357845 : public RuntimeObject { public: // System.IntPtr UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::m_InternalLeaderboard IntPtr_t ___m_InternalLeaderboard_0; // UnityEngine.SocialPlatforms.Impl.Leaderboard UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::m_GenericLeaderboard Leaderboard_t1235456057 * ___m_GenericLeaderboard_1; public: inline static int32_t get_offset_of_m_InternalLeaderboard_0() { return static_cast<int32_t>(offsetof(GcLeaderboard_t1548357845, ___m_InternalLeaderboard_0)); } inline IntPtr_t get_m_InternalLeaderboard_0() const { return ___m_InternalLeaderboard_0; } inline IntPtr_t* get_address_of_m_InternalLeaderboard_0() { return &___m_InternalLeaderboard_0; } inline void set_m_InternalLeaderboard_0(IntPtr_t value) { ___m_InternalLeaderboard_0 = value; } inline static int32_t get_offset_of_m_GenericLeaderboard_1() { return static_cast<int32_t>(offsetof(GcLeaderboard_t1548357845, ___m_GenericLeaderboard_1)); } inline Leaderboard_t1235456057 * get_m_GenericLeaderboard_1() const { return ___m_GenericLeaderboard_1; } inline Leaderboard_t1235456057 ** get_address_of_m_GenericLeaderboard_1() { return &___m_GenericLeaderboard_1; } inline void set_m_GenericLeaderboard_1(Leaderboard_t1235456057 * value) { ___m_GenericLeaderboard_1 = value; Il2CppCodeGenWriteBarrier((&___m_GenericLeaderboard_1), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard struct GcLeaderboard_t1548357845_marshaled_pinvoke { intptr_t ___m_InternalLeaderboard_0; Leaderboard_t1235456057 * ___m_GenericLeaderboard_1; }; // Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard struct GcLeaderboard_t1548357845_marshaled_com { intptr_t ___m_InternalLeaderboard_0; Leaderboard_t1235456057 * ___m_GenericLeaderboard_1; }; #endif // GCLEADERBOARD_T1548357845_H #ifndef AXIS_T656228903_H #define AXIS_T656228903_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_t656228903 { public: // System.Int32 UnityEngine.RectTransform/Axis::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(Axis_t656228903, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // AXIS_T656228903_H #ifndef EDGE_T1092959616_H #define EDGE_T1092959616_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_t1092959616 { public: // System.Int32 UnityEngine.RectTransform/Edge::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(Edge_t1092959616, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // EDGE_T1092959616_H #ifndef RAYCASTHIT2D_T618660614_H #define RAYCASTHIT2D_T618660614_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RaycastHit2D struct RaycastHit2D_t618660614 { public: // UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Centroid Vector2_t1870731928 ___m_Centroid_0; // UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Point Vector2_t1870731928 ___m_Point_1; // UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Normal Vector2_t1870731928 ___m_Normal_2; // System.Single UnityEngine.RaycastHit2D::m_Distance float ___m_Distance_3; // System.Single UnityEngine.RaycastHit2D::m_Fraction float ___m_Fraction_4; // UnityEngine.Collider2D UnityEngine.RaycastHit2D::m_Collider Collider2D_t1683084049 * ___m_Collider_5; public: inline static int32_t get_offset_of_m_Centroid_0() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Centroid_0)); } inline Vector2_t1870731928 get_m_Centroid_0() const { return ___m_Centroid_0; } inline Vector2_t1870731928 * get_address_of_m_Centroid_0() { return &___m_Centroid_0; } inline void set_m_Centroid_0(Vector2_t1870731928 value) { ___m_Centroid_0 = value; } inline static int32_t get_offset_of_m_Point_1() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Point_1)); } inline Vector2_t1870731928 get_m_Point_1() const { return ___m_Point_1; } inline Vector2_t1870731928 * get_address_of_m_Point_1() { return &___m_Point_1; } inline void set_m_Point_1(Vector2_t1870731928 value) { ___m_Point_1 = value; } inline static int32_t get_offset_of_m_Normal_2() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Normal_2)); } inline Vector2_t1870731928 get_m_Normal_2() const { return ___m_Normal_2; } inline Vector2_t1870731928 * get_address_of_m_Normal_2() { return &___m_Normal_2; } inline void set_m_Normal_2(Vector2_t1870731928 value) { ___m_Normal_2 = value; } inline static int32_t get_offset_of_m_Distance_3() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Distance_3)); } inline float get_m_Distance_3() const { return ___m_Distance_3; } inline float* get_address_of_m_Distance_3() { return &___m_Distance_3; } inline void set_m_Distance_3(float value) { ___m_Distance_3 = value; } inline static int32_t get_offset_of_m_Fraction_4() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Fraction_4)); } inline float get_m_Fraction_4() const { return ___m_Fraction_4; } inline float* get_address_of_m_Fraction_4() { return &___m_Fraction_4; } inline void set_m_Fraction_4(float value) { ___m_Fraction_4 = value; } inline static int32_t get_offset_of_m_Collider_5() { return static_cast<int32_t>(offsetof(RaycastHit2D_t618660614, ___m_Collider_5)); } inline Collider2D_t1683084049 * get_m_Collider_5() const { return ___m_Collider_5; } inline Collider2D_t1683084049 ** get_address_of_m_Collider_5() { return &___m_Collider_5; } inline void set_m_Collider_5(Collider2D_t1683084049 * value) { ___m_Collider_5 = value; Il2CppCodeGenWriteBarrier((&___m_Collider_5), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.RaycastHit2D struct RaycastHit2D_t618660614_marshaled_pinvoke { Vector2_t1870731928 ___m_Centroid_0; Vector2_t1870731928 ___m_Point_1; Vector2_t1870731928 ___m_Normal_2; float ___m_Distance_3; float ___m_Fraction_4; Collider2D_t1683084049 * ___m_Collider_5; }; // Native definition for COM marshalling of UnityEngine.RaycastHit2D struct RaycastHit2D_t618660614_marshaled_com { Vector2_t1870731928 ___m_Centroid_0; Vector2_t1870731928 ___m_Point_1; Vector2_t1870731928 ___m_Normal_2; float ___m_Distance_3; float ___m_Fraction_4; Collider2D_t1683084049 * ___m_Collider_5; }; #endif // RAYCASTHIT2D_T618660614_H #ifndef PARAMETERATTRIBUTES_T2264469405_H #define PARAMETERATTRIBUTES_T2264469405_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_t2264469405 { public: // System.Int32 System.Reflection.ParameterAttributes::value__ int32_t ___value___1; public: inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(ParameterAttributes_t2264469405, ___value___1)); } inline int32_t get_value___1() const { return ___value___1; } inline int32_t* get_address_of_value___1() { return &___value___1; } inline void set_value___1(int32_t value) { ___value___1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // PARAMETERATTRIBUTES_T2264469405_H #ifndef PLANE_T3293887620_H #define PLANE_T3293887620_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Plane struct Plane_t3293887620 { public: // UnityEngine.Vector3 UnityEngine.Plane::m_Normal Vector3_t1874995928 ___m_Normal_0; // System.Single UnityEngine.Plane::m_Distance float ___m_Distance_1; public: inline static int32_t get_offset_of_m_Normal_0() { return static_cast<int32_t>(offsetof(Plane_t3293887620, ___m_Normal_0)); } inline Vector3_t1874995928 get_m_Normal_0() const { return ___m_Normal_0; } inline Vector3_t1874995928 * get_address_of_m_Normal_0() { return &___m_Normal_0; } inline void set_m_Normal_0(Vector3_t1874995928 value) { ___m_Normal_0 = value; } inline static int32_t get_offset_of_m_Distance_1() { return static_cast<int32_t>(offsetof(Plane_t3293887620, ___m_Distance_1)); } inline float get_m_Distance_1() const { return ___m_Distance_1; } inline float* get_address_of_m_Distance_1() { return &___m_Distance_1; } inline void set_m_Distance_1(float value) { ___m_Distance_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // PLANE_T3293887620_H #ifndef RECTOFFSET_T603374043_H #define RECTOFFSET_T603374043_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RectOffset struct RectOffset_t603374043 : public RuntimeObject { public: // System.IntPtr UnityEngine.RectOffset::m_Ptr IntPtr_t ___m_Ptr_0; // System.Object UnityEngine.RectOffset::m_SourceStyle RuntimeObject * ___m_SourceStyle_1; public: inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(RectOffset_t603374043, ___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_SourceStyle_1() { return static_cast<int32_t>(offsetof(RectOffset_t603374043, ___m_SourceStyle_1)); } inline RuntimeObject * get_m_SourceStyle_1() const { return ___m_SourceStyle_1; } inline RuntimeObject ** get_address_of_m_SourceStyle_1() { return &___m_SourceStyle_1; } inline void set_m_SourceStyle_1(RuntimeObject * value) { ___m_SourceStyle_1 = value; Il2CppCodeGenWriteBarrier((&___m_SourceStyle_1), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.RectOffset struct RectOffset_t603374043_marshaled_pinvoke { intptr_t ___m_Ptr_0; Il2CppIUnknown* ___m_SourceStyle_1; }; // Native definition for COM marshalling of UnityEngine.RectOffset struct RectOffset_t603374043_marshaled_com { intptr_t ___m_Ptr_0; Il2CppIUnknown* ___m_SourceStyle_1; }; #endif // RECTOFFSET_T603374043_H #ifndef DELEGATE_T321273466_H #define DELEGATE_T321273466_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Delegate struct Delegate_t321273466 : 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::method_code IntPtr_t ___method_code_5; // System.Reflection.MethodInfo System.Delegate::method_info MethodInfo_t * ___method_info_6; // System.Reflection.MethodInfo System.Delegate::original_method_info MethodInfo_t * ___original_method_info_7; // System.DelegateData System.Delegate::data DelegateData_t1870450026 * ___data_8; public: inline static int32_t get_offset_of_method_ptr_0() { return static_cast<int32_t>(offsetof(Delegate_t321273466, ___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_t321273466, ___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_t321273466, ___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_t321273466, ___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_t321273466, ___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_method_code_5() { return static_cast<int32_t>(offsetof(Delegate_t321273466, ___method_code_5)); } inline IntPtr_t get_method_code_5() const { return ___method_code_5; } inline IntPtr_t* get_address_of_method_code_5() { return &___method_code_5; } inline void set_method_code_5(IntPtr_t value) { ___method_code_5 = value; } inline static int32_t get_offset_of_method_info_6() { return static_cast<int32_t>(offsetof(Delegate_t321273466, ___method_info_6)); } inline MethodInfo_t * get_method_info_6() const { return ___method_info_6; } inline MethodInfo_t ** get_address_of_method_info_6() { return &___method_info_6; } inline void set_method_info_6(MethodInfo_t * value) { ___method_info_6 = value; Il2CppCodeGenWriteBarrier((&___method_info_6), value); } inline static int32_t get_offset_of_original_method_info_7() { return static_cast<int32_t>(offsetof(Delegate_t321273466, ___original_method_info_7)); } inline MethodInfo_t * get_original_method_info_7() const { return ___original_method_info_7; } inline MethodInfo_t ** get_address_of_original_method_info_7() { return &___original_method_info_7; } inline void set_original_method_info_7(MethodInfo_t * value) { ___original_method_info_7 = value; Il2CppCodeGenWriteBarrier((&___original_method_info_7), value); } inline static int32_t get_offset_of_data_8() { return static_cast<int32_t>(offsetof(Delegate_t321273466, ___data_8)); } inline DelegateData_t1870450026 * get_data_8() const { return ___data_8; } inline DelegateData_t1870450026 ** get_address_of_data_8() { return &___data_8; } inline void set_data_8(DelegateData_t1870450026 * value) { ___data_8 = value; Il2CppCodeGenWriteBarrier((&___data_8), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DELEGATE_T321273466_H #ifndef TOUCH_T2994539933_H #define TOUCH_T2994539933_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Touch struct Touch_t2994539933 { public: // System.Int32 UnityEngine.Touch::m_FingerId int32_t ___m_FingerId_0; // UnityEngine.Vector2 UnityEngine.Touch::m_Position Vector2_t1870731928 ___m_Position_1; // UnityEngine.Vector2 UnityEngine.Touch::m_RawPosition Vector2_t1870731928 ___m_RawPosition_2; // UnityEngine.Vector2 UnityEngine.Touch::m_PositionDelta Vector2_t1870731928 ___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_t2994539933, ___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_t2994539933, ___m_Position_1)); } inline Vector2_t1870731928 get_m_Position_1() const { return ___m_Position_1; } inline Vector2_t1870731928 * get_address_of_m_Position_1() { return &___m_Position_1; } inline void set_m_Position_1(Vector2_t1870731928 value) { ___m_Position_1 = value; } inline static int32_t get_offset_of_m_RawPosition_2() { return static_cast<int32_t>(offsetof(Touch_t2994539933, ___m_RawPosition_2)); } inline Vector2_t1870731928 get_m_RawPosition_2() const { return ___m_RawPosition_2; } inline Vector2_t1870731928 * get_address_of_m_RawPosition_2() { return &___m_RawPosition_2; } inline void set_m_RawPosition_2(Vector2_t1870731928 value) { ___m_RawPosition_2 = value; } inline static int32_t get_offset_of_m_PositionDelta_3() { return static_cast<int32_t>(offsetof(Touch_t2994539933, ___m_PositionDelta_3)); } inline Vector2_t1870731928 get_m_PositionDelta_3() const { return ___m_PositionDelta_3; } inline Vector2_t1870731928 * get_address_of_m_PositionDelta_3() { return &___m_PositionDelta_3; } inline void set_m_PositionDelta_3(Vector2_t1870731928 value) { ___m_PositionDelta_3 = value; } inline static int32_t get_offset_of_m_TimeDelta_4() { return static_cast<int32_t>(offsetof(Touch_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_t2994539933, ___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_T2994539933_H #ifndef TEXTGENERATIONSETTINGS_T987435647_H #define TEXTGENERATIONSETTINGS_T987435647_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextGenerationSettings struct TextGenerationSettings_t987435647 { public: // UnityEngine.Font UnityEngine.TextGenerationSettings::font Font_t3940830037 * ___font_0; // UnityEngine.Color UnityEngine.TextGenerationSettings::color Color_t3136506488 ___color_1; // System.Int32 UnityEngine.TextGenerationSettings::fontSize int32_t ___fontSize_2; // System.Single UnityEngine.TextGenerationSettings::lineSpacing float ___lineSpacing_3; // System.Boolean UnityEngine.TextGenerationSettings::richText bool ___richText_4; // System.Single UnityEngine.TextGenerationSettings::scaleFactor float ___scaleFactor_5; // UnityEngine.FontStyle UnityEngine.TextGenerationSettings::fontStyle int32_t ___fontStyle_6; // UnityEngine.TextAnchor UnityEngine.TextGenerationSettings::textAnchor int32_t ___textAnchor_7; // System.Boolean UnityEngine.TextGenerationSettings::alignByGeometry bool ___alignByGeometry_8; // System.Boolean UnityEngine.TextGenerationSettings::resizeTextForBestFit bool ___resizeTextForBestFit_9; // System.Int32 UnityEngine.TextGenerationSettings::resizeTextMinSize int32_t ___resizeTextMinSize_10; // System.Int32 UnityEngine.TextGenerationSettings::resizeTextMaxSize int32_t ___resizeTextMaxSize_11; // System.Boolean UnityEngine.TextGenerationSettings::updateBounds bool ___updateBounds_12; // UnityEngine.VerticalWrapMode UnityEngine.TextGenerationSettings::verticalOverflow int32_t ___verticalOverflow_13; // UnityEngine.HorizontalWrapMode UnityEngine.TextGenerationSettings::horizontalOverflow int32_t ___horizontalOverflow_14; // UnityEngine.Vector2 UnityEngine.TextGenerationSettings::generationExtents Vector2_t1870731928 ___generationExtents_15; // UnityEngine.Vector2 UnityEngine.TextGenerationSettings::pivot Vector2_t1870731928 ___pivot_16; // System.Boolean UnityEngine.TextGenerationSettings::generateOutOfBounds bool ___generateOutOfBounds_17; public: inline static int32_t get_offset_of_font_0() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___font_0)); } inline Font_t3940830037 * get_font_0() const { return ___font_0; } inline Font_t3940830037 ** get_address_of_font_0() { return &___font_0; } inline void set_font_0(Font_t3940830037 * value) { ___font_0 = value; Il2CppCodeGenWriteBarrier((&___font_0), value); } inline static int32_t get_offset_of_color_1() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___color_1)); } inline Color_t3136506488 get_color_1() const { return ___color_1; } inline Color_t3136506488 * get_address_of_color_1() { return &___color_1; } inline void set_color_1(Color_t3136506488 value) { ___color_1 = value; } inline static int32_t get_offset_of_fontSize_2() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___fontSize_2)); } inline int32_t get_fontSize_2() const { return ___fontSize_2; } inline int32_t* get_address_of_fontSize_2() { return &___fontSize_2; } inline void set_fontSize_2(int32_t value) { ___fontSize_2 = value; } inline static int32_t get_offset_of_lineSpacing_3() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___lineSpacing_3)); } inline float get_lineSpacing_3() const { return ___lineSpacing_3; } inline float* get_address_of_lineSpacing_3() { return &___lineSpacing_3; } inline void set_lineSpacing_3(float value) { ___lineSpacing_3 = value; } inline static int32_t get_offset_of_richText_4() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___richText_4)); } inline bool get_richText_4() const { return ___richText_4; } inline bool* get_address_of_richText_4() { return &___richText_4; } inline void set_richText_4(bool value) { ___richText_4 = value; } inline static int32_t get_offset_of_scaleFactor_5() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___scaleFactor_5)); } inline float get_scaleFactor_5() const { return ___scaleFactor_5; } inline float* get_address_of_scaleFactor_5() { return &___scaleFactor_5; } inline void set_scaleFactor_5(float value) { ___scaleFactor_5 = value; } inline static int32_t get_offset_of_fontStyle_6() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___fontStyle_6)); } inline int32_t get_fontStyle_6() const { return ___fontStyle_6; } inline int32_t* get_address_of_fontStyle_6() { return &___fontStyle_6; } inline void set_fontStyle_6(int32_t value) { ___fontStyle_6 = value; } inline static int32_t get_offset_of_textAnchor_7() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___textAnchor_7)); } inline int32_t get_textAnchor_7() const { return ___textAnchor_7; } inline int32_t* get_address_of_textAnchor_7() { return &___textAnchor_7; } inline void set_textAnchor_7(int32_t value) { ___textAnchor_7 = value; } inline static int32_t get_offset_of_alignByGeometry_8() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___alignByGeometry_8)); } inline bool get_alignByGeometry_8() const { return ___alignByGeometry_8; } inline bool* get_address_of_alignByGeometry_8() { return &___alignByGeometry_8; } inline void set_alignByGeometry_8(bool value) { ___alignByGeometry_8 = value; } inline static int32_t get_offset_of_resizeTextForBestFit_9() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___resizeTextForBestFit_9)); } inline bool get_resizeTextForBestFit_9() const { return ___resizeTextForBestFit_9; } inline bool* get_address_of_resizeTextForBestFit_9() { return &___resizeTextForBestFit_9; } inline void set_resizeTextForBestFit_9(bool value) { ___resizeTextForBestFit_9 = value; } inline static int32_t get_offset_of_resizeTextMinSize_10() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___resizeTextMinSize_10)); } inline int32_t get_resizeTextMinSize_10() const { return ___resizeTextMinSize_10; } inline int32_t* get_address_of_resizeTextMinSize_10() { return &___resizeTextMinSize_10; } inline void set_resizeTextMinSize_10(int32_t value) { ___resizeTextMinSize_10 = value; } inline static int32_t get_offset_of_resizeTextMaxSize_11() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___resizeTextMaxSize_11)); } inline int32_t get_resizeTextMaxSize_11() const { return ___resizeTextMaxSize_11; } inline int32_t* get_address_of_resizeTextMaxSize_11() { return &___resizeTextMaxSize_11; } inline void set_resizeTextMaxSize_11(int32_t value) { ___resizeTextMaxSize_11 = value; } inline static int32_t get_offset_of_updateBounds_12() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___updateBounds_12)); } inline bool get_updateBounds_12() const { return ___updateBounds_12; } inline bool* get_address_of_updateBounds_12() { return &___updateBounds_12; } inline void set_updateBounds_12(bool value) { ___updateBounds_12 = value; } inline static int32_t get_offset_of_verticalOverflow_13() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___verticalOverflow_13)); } inline int32_t get_verticalOverflow_13() const { return ___verticalOverflow_13; } inline int32_t* get_address_of_verticalOverflow_13() { return &___verticalOverflow_13; } inline void set_verticalOverflow_13(int32_t value) { ___verticalOverflow_13 = value; } inline static int32_t get_offset_of_horizontalOverflow_14() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___horizontalOverflow_14)); } inline int32_t get_horizontalOverflow_14() const { return ___horizontalOverflow_14; } inline int32_t* get_address_of_horizontalOverflow_14() { return &___horizontalOverflow_14; } inline void set_horizontalOverflow_14(int32_t value) { ___horizontalOverflow_14 = value; } inline static int32_t get_offset_of_generationExtents_15() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___generationExtents_15)); } inline Vector2_t1870731928 get_generationExtents_15() const { return ___generationExtents_15; } inline Vector2_t1870731928 * get_address_of_generationExtents_15() { return &___generationExtents_15; } inline void set_generationExtents_15(Vector2_t1870731928 value) { ___generationExtents_15 = value; } inline static int32_t get_offset_of_pivot_16() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___pivot_16)); } inline Vector2_t1870731928 get_pivot_16() const { return ___pivot_16; } inline Vector2_t1870731928 * get_address_of_pivot_16() { return &___pivot_16; } inline void set_pivot_16(Vector2_t1870731928 value) { ___pivot_16 = value; } inline static int32_t get_offset_of_generateOutOfBounds_17() { return static_cast<int32_t>(offsetof(TextGenerationSettings_t987435647, ___generateOutOfBounds_17)); } inline bool get_generateOutOfBounds_17() const { return ___generateOutOfBounds_17; } inline bool* get_address_of_generateOutOfBounds_17() { return &___generateOutOfBounds_17; } inline void set_generateOutOfBounds_17(bool value) { ___generateOutOfBounds_17 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.TextGenerationSettings struct TextGenerationSettings_t987435647_marshaled_pinvoke { Font_t3940830037 * ___font_0; Color_t3136506488 ___color_1; int32_t ___fontSize_2; float ___lineSpacing_3; int32_t ___richText_4; float ___scaleFactor_5; int32_t ___fontStyle_6; int32_t ___textAnchor_7; int32_t ___alignByGeometry_8; int32_t ___resizeTextForBestFit_9; int32_t ___resizeTextMinSize_10; int32_t ___resizeTextMaxSize_11; int32_t ___updateBounds_12; int32_t ___verticalOverflow_13; int32_t ___horizontalOverflow_14; Vector2_t1870731928 ___generationExtents_15; Vector2_t1870731928 ___pivot_16; int32_t ___generateOutOfBounds_17; }; // Native definition for COM marshalling of UnityEngine.TextGenerationSettings struct TextGenerationSettings_t987435647_marshaled_com { Font_t3940830037 * ___font_0; Color_t3136506488 ___color_1; int32_t ___fontSize_2; float ___lineSpacing_3; int32_t ___richText_4; float ___scaleFactor_5; int32_t ___fontStyle_6; int32_t ___textAnchor_7; int32_t ___alignByGeometry_8; int32_t ___resizeTextForBestFit_9; int32_t ___resizeTextMinSize_10; int32_t ___resizeTextMaxSize_11; int32_t ___updateBounds_12; int32_t ___verticalOverflow_13; int32_t ___horizontalOverflow_14; Vector2_t1870731928 ___generationExtents_15; Vector2_t1870731928 ___pivot_16; int32_t ___generateOutOfBounds_17; }; #endif // TEXTGENERATIONSETTINGS_T987435647_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_t3167537512 ____impl_1; public: inline static int32_t get_offset_of__impl_1() { return static_cast<int32_t>(offsetof(Type_t, ____impl_1)); } inline RuntimeTypeHandle_t3167537512 get__impl_1() const { return ____impl_1; } inline RuntimeTypeHandle_t3167537512 * get_address_of__impl_1() { return &____impl_1; } inline void set__impl_1(RuntimeTypeHandle_t3167537512 value) { ____impl_1 = value; } }; struct Type_t_StaticFields { public: // System.Char System.Type::Delimiter Il2CppChar ___Delimiter_2; // System.Type[] System.Type::EmptyTypes TypeU5BU5D_t2854371266* ___EmptyTypes_3; // System.Reflection.MemberFilter System.Type::FilterAttribute MemberFilter_t2796342550 * ___FilterAttribute_4; // System.Reflection.MemberFilter System.Type::FilterName MemberFilter_t2796342550 * ___FilterName_5; // System.Reflection.MemberFilter System.Type::FilterNameIgnoreCase MemberFilter_t2796342550 * ___FilterNameIgnoreCase_6; // System.Object System.Type::Missing RuntimeObject * ___Missing_7; public: inline static int32_t get_offset_of_Delimiter_2() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Delimiter_2)); } inline Il2CppChar get_Delimiter_2() const { return ___Delimiter_2; } inline Il2CppChar* get_address_of_Delimiter_2() { return &___Delimiter_2; } inline void set_Delimiter_2(Il2CppChar value) { ___Delimiter_2 = value; } inline static int32_t get_offset_of_EmptyTypes_3() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___EmptyTypes_3)); } inline TypeU5BU5D_t2854371266* get_EmptyTypes_3() const { return ___EmptyTypes_3; } inline TypeU5BU5D_t2854371266** get_address_of_EmptyTypes_3() { return &___EmptyTypes_3; } inline void set_EmptyTypes_3(TypeU5BU5D_t2854371266* value) { ___EmptyTypes_3 = value; Il2CppCodeGenWriteBarrier((&___EmptyTypes_3), value); } inline static int32_t get_offset_of_FilterAttribute_4() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterAttribute_4)); } inline MemberFilter_t2796342550 * get_FilterAttribute_4() const { return ___FilterAttribute_4; } inline MemberFilter_t2796342550 ** get_address_of_FilterAttribute_4() { return &___FilterAttribute_4; } inline void set_FilterAttribute_4(MemberFilter_t2796342550 * value) { ___FilterAttribute_4 = value; Il2CppCodeGenWriteBarrier((&___FilterAttribute_4), value); } inline static int32_t get_offset_of_FilterName_5() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterName_5)); } inline MemberFilter_t2796342550 * get_FilterName_5() const { return ___FilterName_5; } inline MemberFilter_t2796342550 ** get_address_of_FilterName_5() { return &___FilterName_5; } inline void set_FilterName_5(MemberFilter_t2796342550 * value) { ___FilterName_5 = value; Il2CppCodeGenWriteBarrier((&___FilterName_5), value); } inline static int32_t get_offset_of_FilterNameIgnoreCase_6() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterNameIgnoreCase_6)); } inline MemberFilter_t2796342550 * get_FilterNameIgnoreCase_6() const { return ___FilterNameIgnoreCase_6; } inline MemberFilter_t2796342550 ** get_address_of_FilterNameIgnoreCase_6() { return &___FilterNameIgnoreCase_6; } inline void set_FilterNameIgnoreCase_6(MemberFilter_t2796342550 * value) { ___FilterNameIgnoreCase_6 = value; Il2CppCodeGenWriteBarrier((&___FilterNameIgnoreCase_6), value); } inline static int32_t get_offset_of_Missing_7() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Missing_7)); } inline RuntimeObject * get_Missing_7() const { return ___Missing_7; } inline RuntimeObject ** get_address_of_Missing_7() { return &___Missing_7; } inline void set_Missing_7(RuntimeObject * value) { ___Missing_7 = value; Il2CppCodeGenWriteBarrier((&___Missing_7), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TYPE_T_H #ifndef MULTICASTDELEGATE_T868286602_H #define MULTICASTDELEGATE_T868286602_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.MulticastDelegate struct MulticastDelegate_t868286602 : public Delegate_t321273466 { public: // System.MulticastDelegate System.MulticastDelegate::prev MulticastDelegate_t868286602 * ___prev_9; // System.MulticastDelegate System.MulticastDelegate::kpm_next MulticastDelegate_t868286602 * ___kpm_next_10; public: inline static int32_t get_offset_of_prev_9() { return static_cast<int32_t>(offsetof(MulticastDelegate_t868286602, ___prev_9)); } inline MulticastDelegate_t868286602 * get_prev_9() const { return ___prev_9; } inline MulticastDelegate_t868286602 ** get_address_of_prev_9() { return &___prev_9; } inline void set_prev_9(MulticastDelegate_t868286602 * value) { ___prev_9 = value; Il2CppCodeGenWriteBarrier((&___prev_9), value); } inline static int32_t get_offset_of_kpm_next_10() { return static_cast<int32_t>(offsetof(MulticastDelegate_t868286602, ___kpm_next_10)); } inline MulticastDelegate_t868286602 * get_kpm_next_10() const { return ___kpm_next_10; } inline MulticastDelegate_t868286602 ** get_address_of_kpm_next_10() { return &___kpm_next_10; } inline void set_kpm_next_10(MulticastDelegate_t868286602 * value) { ___kpm_next_10 = value; Il2CppCodeGenWriteBarrier((&___kpm_next_10), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // MULTICASTDELEGATE_T868286602_H #ifndef RESOURCEREQUEST_T2870213725_H #define RESOURCEREQUEST_T2870213725_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.ResourceRequest struct ResourceRequest_t2870213725 : public AsyncOperation_t1471752968 { public: // System.String UnityEngine.ResourceRequest::m_Path String_t* ___m_Path_1; // System.Type UnityEngine.ResourceRequest::m_Type Type_t * ___m_Type_2; public: inline static int32_t get_offset_of_m_Path_1() { return static_cast<int32_t>(offsetof(ResourceRequest_t2870213725, ___m_Path_1)); } inline String_t* get_m_Path_1() const { return ___m_Path_1; } inline String_t** get_address_of_m_Path_1() { return &___m_Path_1; } inline void set_m_Path_1(String_t* value) { ___m_Path_1 = value; Il2CppCodeGenWriteBarrier((&___m_Path_1), value); } inline static int32_t get_offset_of_m_Type_2() { return static_cast<int32_t>(offsetof(ResourceRequest_t2870213725, ___m_Type_2)); } inline Type_t * get_m_Type_2() const { return ___m_Type_2; } inline Type_t ** get_address_of_m_Type_2() { return &___m_Type_2; } inline void set_m_Type_2(Type_t * value) { ___m_Type_2 = value; Il2CppCodeGenWriteBarrier((&___m_Type_2), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.ResourceRequest struct ResourceRequest_t2870213725_marshaled_pinvoke : public AsyncOperation_t1471752968_marshaled_pinvoke { char* ___m_Path_1; Type_t * ___m_Type_2; }; // Native definition for COM marshalling of UnityEngine.ResourceRequest struct ResourceRequest_t2870213725_marshaled_com : public AsyncOperation_t1471752968_marshaled_com { Il2CppChar* ___m_Path_1; Type_t * ___m_Type_2; }; #endif // RESOURCEREQUEST_T2870213725_H #ifndef COMPONENT_T1099781993_H #define COMPONENT_T1099781993_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Component struct Component_t1099781993 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // COMPONENT_T1099781993_H #ifndef TEXTURE_T735859423_H #define TEXTURE_T735859423_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Texture struct Texture_t735859423 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTURE_T735859423_H #ifndef SPRITEATLAS_T158873012_H #define SPRITEATLAS_T158873012_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_t158873012 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SPRITEATLAS_T158873012_H #ifndef RUNTIMEANIMATORCONTROLLER_T1768566805_H #define RUNTIMEANIMATORCONTROLLER_T1768566805_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RuntimeAnimatorController struct RuntimeAnimatorController_t1768566805 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RUNTIMEANIMATORCONTROLLER_T1768566805_H #ifndef GUISTYLE_T350904686_H #define GUISTYLE_T350904686_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.GUIStyle struct GUIStyle_t350904686 : public RuntimeObject { public: // System.IntPtr UnityEngine.GUIStyle::m_Ptr IntPtr_t ___m_Ptr_0; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Normal GUIStyleState_t1881122624 * ___m_Normal_1; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Hover GUIStyleState_t1881122624 * ___m_Hover_2; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Active GUIStyleState_t1881122624 * ___m_Active_3; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Focused GUIStyleState_t1881122624 * ___m_Focused_4; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnNormal GUIStyleState_t1881122624 * ___m_OnNormal_5; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnHover GUIStyleState_t1881122624 * ___m_OnHover_6; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnActive GUIStyleState_t1881122624 * ___m_OnActive_7; // UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnFocused GUIStyleState_t1881122624 * ___m_OnFocused_8; // UnityEngine.RectOffset UnityEngine.GUIStyle::m_Border RectOffset_t603374043 * ___m_Border_9; // UnityEngine.RectOffset UnityEngine.GUIStyle::m_Padding RectOffset_t603374043 * ___m_Padding_10; // UnityEngine.RectOffset UnityEngine.GUIStyle::m_Margin RectOffset_t603374043 * ___m_Margin_11; // UnityEngine.RectOffset UnityEngine.GUIStyle::m_Overflow RectOffset_t603374043 * ___m_Overflow_12; // UnityEngine.Font UnityEngine.GUIStyle::m_FontInternal Font_t3940830037 * ___m_FontInternal_13; public: inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___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_Normal_1() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Normal_1)); } inline GUIStyleState_t1881122624 * get_m_Normal_1() const { return ___m_Normal_1; } inline GUIStyleState_t1881122624 ** get_address_of_m_Normal_1() { return &___m_Normal_1; } inline void set_m_Normal_1(GUIStyleState_t1881122624 * value) { ___m_Normal_1 = value; Il2CppCodeGenWriteBarrier((&___m_Normal_1), value); } inline static int32_t get_offset_of_m_Hover_2() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Hover_2)); } inline GUIStyleState_t1881122624 * get_m_Hover_2() const { return ___m_Hover_2; } inline GUIStyleState_t1881122624 ** get_address_of_m_Hover_2() { return &___m_Hover_2; } inline void set_m_Hover_2(GUIStyleState_t1881122624 * value) { ___m_Hover_2 = value; Il2CppCodeGenWriteBarrier((&___m_Hover_2), value); } inline static int32_t get_offset_of_m_Active_3() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Active_3)); } inline GUIStyleState_t1881122624 * get_m_Active_3() const { return ___m_Active_3; } inline GUIStyleState_t1881122624 ** get_address_of_m_Active_3() { return &___m_Active_3; } inline void set_m_Active_3(GUIStyleState_t1881122624 * value) { ___m_Active_3 = value; Il2CppCodeGenWriteBarrier((&___m_Active_3), value); } inline static int32_t get_offset_of_m_Focused_4() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Focused_4)); } inline GUIStyleState_t1881122624 * get_m_Focused_4() const { return ___m_Focused_4; } inline GUIStyleState_t1881122624 ** get_address_of_m_Focused_4() { return &___m_Focused_4; } inline void set_m_Focused_4(GUIStyleState_t1881122624 * value) { ___m_Focused_4 = value; Il2CppCodeGenWriteBarrier((&___m_Focused_4), value); } inline static int32_t get_offset_of_m_OnNormal_5() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_OnNormal_5)); } inline GUIStyleState_t1881122624 * get_m_OnNormal_5() const { return ___m_OnNormal_5; } inline GUIStyleState_t1881122624 ** get_address_of_m_OnNormal_5() { return &___m_OnNormal_5; } inline void set_m_OnNormal_5(GUIStyleState_t1881122624 * value) { ___m_OnNormal_5 = value; Il2CppCodeGenWriteBarrier((&___m_OnNormal_5), value); } inline static int32_t get_offset_of_m_OnHover_6() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_OnHover_6)); } inline GUIStyleState_t1881122624 * get_m_OnHover_6() const { return ___m_OnHover_6; } inline GUIStyleState_t1881122624 ** get_address_of_m_OnHover_6() { return &___m_OnHover_6; } inline void set_m_OnHover_6(GUIStyleState_t1881122624 * value) { ___m_OnHover_6 = value; Il2CppCodeGenWriteBarrier((&___m_OnHover_6), value); } inline static int32_t get_offset_of_m_OnActive_7() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_OnActive_7)); } inline GUIStyleState_t1881122624 * get_m_OnActive_7() const { return ___m_OnActive_7; } inline GUIStyleState_t1881122624 ** get_address_of_m_OnActive_7() { return &___m_OnActive_7; } inline void set_m_OnActive_7(GUIStyleState_t1881122624 * value) { ___m_OnActive_7 = value; Il2CppCodeGenWriteBarrier((&___m_OnActive_7), value); } inline static int32_t get_offset_of_m_OnFocused_8() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_OnFocused_8)); } inline GUIStyleState_t1881122624 * get_m_OnFocused_8() const { return ___m_OnFocused_8; } inline GUIStyleState_t1881122624 ** get_address_of_m_OnFocused_8() { return &___m_OnFocused_8; } inline void set_m_OnFocused_8(GUIStyleState_t1881122624 * value) { ___m_OnFocused_8 = value; Il2CppCodeGenWriteBarrier((&___m_OnFocused_8), value); } inline static int32_t get_offset_of_m_Border_9() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Border_9)); } inline RectOffset_t603374043 * get_m_Border_9() const { return ___m_Border_9; } inline RectOffset_t603374043 ** get_address_of_m_Border_9() { return &___m_Border_9; } inline void set_m_Border_9(RectOffset_t603374043 * value) { ___m_Border_9 = value; Il2CppCodeGenWriteBarrier((&___m_Border_9), value); } inline static int32_t get_offset_of_m_Padding_10() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Padding_10)); } inline RectOffset_t603374043 * get_m_Padding_10() const { return ___m_Padding_10; } inline RectOffset_t603374043 ** get_address_of_m_Padding_10() { return &___m_Padding_10; } inline void set_m_Padding_10(RectOffset_t603374043 * value) { ___m_Padding_10 = value; Il2CppCodeGenWriteBarrier((&___m_Padding_10), value); } inline static int32_t get_offset_of_m_Margin_11() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Margin_11)); } inline RectOffset_t603374043 * get_m_Margin_11() const { return ___m_Margin_11; } inline RectOffset_t603374043 ** get_address_of_m_Margin_11() { return &___m_Margin_11; } inline void set_m_Margin_11(RectOffset_t603374043 * value) { ___m_Margin_11 = value; Il2CppCodeGenWriteBarrier((&___m_Margin_11), value); } inline static int32_t get_offset_of_m_Overflow_12() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_Overflow_12)); } inline RectOffset_t603374043 * get_m_Overflow_12() const { return ___m_Overflow_12; } inline RectOffset_t603374043 ** get_address_of_m_Overflow_12() { return &___m_Overflow_12; } inline void set_m_Overflow_12(RectOffset_t603374043 * value) { ___m_Overflow_12 = value; Il2CppCodeGenWriteBarrier((&___m_Overflow_12), value); } inline static int32_t get_offset_of_m_FontInternal_13() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686, ___m_FontInternal_13)); } inline Font_t3940830037 * get_m_FontInternal_13() const { return ___m_FontInternal_13; } inline Font_t3940830037 ** get_address_of_m_FontInternal_13() { return &___m_FontInternal_13; } inline void set_m_FontInternal_13(Font_t3940830037 * value) { ___m_FontInternal_13 = value; Il2CppCodeGenWriteBarrier((&___m_FontInternal_13), value); } }; struct GUIStyle_t350904686_StaticFields { public: // System.Boolean UnityEngine.GUIStyle::showKeyboardFocus bool ___showKeyboardFocus_14; // UnityEngine.GUIStyle UnityEngine.GUIStyle::s_None GUIStyle_t350904686 * ___s_None_15; public: inline static int32_t get_offset_of_showKeyboardFocus_14() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686_StaticFields, ___showKeyboardFocus_14)); } inline bool get_showKeyboardFocus_14() const { return ___showKeyboardFocus_14; } inline bool* get_address_of_showKeyboardFocus_14() { return &___showKeyboardFocus_14; } inline void set_showKeyboardFocus_14(bool value) { ___showKeyboardFocus_14 = value; } inline static int32_t get_offset_of_s_None_15() { return static_cast<int32_t>(offsetof(GUIStyle_t350904686_StaticFields, ___s_None_15)); } inline GUIStyle_t350904686 * get_s_None_15() const { return ___s_None_15; } inline GUIStyle_t350904686 ** get_address_of_s_None_15() { return &___s_None_15; } inline void set_s_None_15(GUIStyle_t350904686 * value) { ___s_None_15 = value; Il2CppCodeGenWriteBarrier((&___s_None_15), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.GUIStyle struct GUIStyle_t350904686_marshaled_pinvoke { intptr_t ___m_Ptr_0; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_Normal_1; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_Hover_2; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_Active_3; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_Focused_4; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_OnNormal_5; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_OnHover_6; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_OnActive_7; GUIStyleState_t1881122624_marshaled_pinvoke* ___m_OnFocused_8; RectOffset_t603374043_marshaled_pinvoke ___m_Border_9; RectOffset_t603374043_marshaled_pinvoke ___m_Padding_10; RectOffset_t603374043_marshaled_pinvoke ___m_Margin_11; RectOffset_t603374043_marshaled_pinvoke ___m_Overflow_12; Font_t3940830037 * ___m_FontInternal_13; }; // Native definition for COM marshalling of UnityEngine.GUIStyle struct GUIStyle_t350904686_marshaled_com { intptr_t ___m_Ptr_0; GUIStyleState_t1881122624_marshaled_com* ___m_Normal_1; GUIStyleState_t1881122624_marshaled_com* ___m_Hover_2; GUIStyleState_t1881122624_marshaled_com* ___m_Active_3; GUIStyleState_t1881122624_marshaled_com* ___m_Focused_4; GUIStyleState_t1881122624_marshaled_com* ___m_OnNormal_5; GUIStyleState_t1881122624_marshaled_com* ___m_OnHover_6; GUIStyleState_t1881122624_marshaled_com* ___m_OnActive_7; GUIStyleState_t1881122624_marshaled_com* ___m_OnFocused_8; RectOffset_t603374043_marshaled_com* ___m_Border_9; RectOffset_t603374043_marshaled_com* ___m_Padding_10; RectOffset_t603374043_marshaled_com* ___m_Margin_11; RectOffset_t603374043_marshaled_com* ___m_Overflow_12; Font_t3940830037 * ___m_FontInternal_13; }; #endif // GUISTYLE_T350904686_H #ifndef FONT_T3940830037_H #define FONT_T3940830037_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Font struct Font_t3940830037 : public Object_t1699899486 { public: // UnityEngine.Font/FontTextureRebuildCallback UnityEngine.Font::m_FontTextureRebuildCallback FontTextureRebuildCallback_t3959427492 * ___m_FontTextureRebuildCallback_3; public: inline static int32_t get_offset_of_m_FontTextureRebuildCallback_3() { return static_cast<int32_t>(offsetof(Font_t3940830037, ___m_FontTextureRebuildCallback_3)); } inline FontTextureRebuildCallback_t3959427492 * get_m_FontTextureRebuildCallback_3() const { return ___m_FontTextureRebuildCallback_3; } inline FontTextureRebuildCallback_t3959427492 ** get_address_of_m_FontTextureRebuildCallback_3() { return &___m_FontTextureRebuildCallback_3; } inline void set_m_FontTextureRebuildCallback_3(FontTextureRebuildCallback_t3959427492 * value) { ___m_FontTextureRebuildCallback_3 = value; Il2CppCodeGenWriteBarrier((&___m_FontTextureRebuildCallback_3), value); } }; struct Font_t3940830037_StaticFields { public: // System.Action`1<UnityEngine.Font> UnityEngine.Font::textureRebuilt Action_1_t2565154513 * ___textureRebuilt_2; public: inline static int32_t get_offset_of_textureRebuilt_2() { return static_cast<int32_t>(offsetof(Font_t3940830037_StaticFields, ___textureRebuilt_2)); } inline Action_1_t2565154513 * get_textureRebuilt_2() const { return ___textureRebuilt_2; } inline Action_1_t2565154513 ** get_address_of_textureRebuilt_2() { return &___textureRebuilt_2; } inline void set_textureRebuilt_2(Action_1_t2565154513 * value) { ___textureRebuilt_2 = value; Il2CppCodeGenWriteBarrier((&___textureRebuilt_2), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // FONT_T3940830037_H #ifndef TEXTEDITOR_T73873660_H #define TEXTEDITOR_T73873660_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextEditor struct TextEditor_t73873660 : public RuntimeObject { public: // UnityEngine.TouchScreenKeyboard UnityEngine.TextEditor::keyboardOnScreen TouchScreenKeyboard_t2626315871 * ___keyboardOnScreen_0; // System.Int32 UnityEngine.TextEditor::controlID int32_t ___controlID_1; // UnityEngine.GUIStyle UnityEngine.TextEditor::style GUIStyle_t350904686 * ___style_2; // System.Boolean UnityEngine.TextEditor::multiline bool ___multiline_3; // System.Boolean UnityEngine.TextEditor::hasHorizontalCursorPos bool ___hasHorizontalCursorPos_4; // System.Boolean UnityEngine.TextEditor::isPasswordField bool ___isPasswordField_5; // UnityEngine.Vector2 UnityEngine.TextEditor::scrollOffset Vector2_t1870731928 ___scrollOffset_6; // UnityEngine.GUIContent UnityEngine.TextEditor::m_Content GUIContent_t2918791183 * ___m_Content_7; // System.Int32 UnityEngine.TextEditor::m_CursorIndex int32_t ___m_CursorIndex_8; // System.Int32 UnityEngine.TextEditor::m_SelectIndex int32_t ___m_SelectIndex_9; // System.Boolean UnityEngine.TextEditor::m_RevealCursor bool ___m_RevealCursor_10; // System.Boolean UnityEngine.TextEditor::m_MouseDragSelectsWholeWords bool ___m_MouseDragSelectsWholeWords_11; // System.Int32 UnityEngine.TextEditor::m_DblClickInitPos int32_t ___m_DblClickInitPos_12; // UnityEngine.TextEditor/DblClickSnapping UnityEngine.TextEditor::m_DblClickSnap uint8_t ___m_DblClickSnap_13; // System.Boolean UnityEngine.TextEditor::m_bJustSelected bool ___m_bJustSelected_14; // System.Int32 UnityEngine.TextEditor::m_iAltCursorPos int32_t ___m_iAltCursorPos_15; public: inline static int32_t get_offset_of_keyboardOnScreen_0() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___keyboardOnScreen_0)); } inline TouchScreenKeyboard_t2626315871 * get_keyboardOnScreen_0() const { return ___keyboardOnScreen_0; } inline TouchScreenKeyboard_t2626315871 ** get_address_of_keyboardOnScreen_0() { return &___keyboardOnScreen_0; } inline void set_keyboardOnScreen_0(TouchScreenKeyboard_t2626315871 * value) { ___keyboardOnScreen_0 = value; Il2CppCodeGenWriteBarrier((&___keyboardOnScreen_0), value); } inline static int32_t get_offset_of_controlID_1() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___controlID_1)); } inline int32_t get_controlID_1() const { return ___controlID_1; } inline int32_t* get_address_of_controlID_1() { return &___controlID_1; } inline void set_controlID_1(int32_t value) { ___controlID_1 = value; } inline static int32_t get_offset_of_style_2() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___style_2)); } inline GUIStyle_t350904686 * get_style_2() const { return ___style_2; } inline GUIStyle_t350904686 ** get_address_of_style_2() { return &___style_2; } inline void set_style_2(GUIStyle_t350904686 * value) { ___style_2 = value; Il2CppCodeGenWriteBarrier((&___style_2), value); } inline static int32_t get_offset_of_multiline_3() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___multiline_3)); } inline bool get_multiline_3() const { return ___multiline_3; } inline bool* get_address_of_multiline_3() { return &___multiline_3; } inline void set_multiline_3(bool value) { ___multiline_3 = value; } inline static int32_t get_offset_of_hasHorizontalCursorPos_4() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___hasHorizontalCursorPos_4)); } inline bool get_hasHorizontalCursorPos_4() const { return ___hasHorizontalCursorPos_4; } inline bool* get_address_of_hasHorizontalCursorPos_4() { return &___hasHorizontalCursorPos_4; } inline void set_hasHorizontalCursorPos_4(bool value) { ___hasHorizontalCursorPos_4 = value; } inline static int32_t get_offset_of_isPasswordField_5() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___isPasswordField_5)); } inline bool get_isPasswordField_5() const { return ___isPasswordField_5; } inline bool* get_address_of_isPasswordField_5() { return &___isPasswordField_5; } inline void set_isPasswordField_5(bool value) { ___isPasswordField_5 = value; } inline static int32_t get_offset_of_scrollOffset_6() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___scrollOffset_6)); } inline Vector2_t1870731928 get_scrollOffset_6() const { return ___scrollOffset_6; } inline Vector2_t1870731928 * get_address_of_scrollOffset_6() { return &___scrollOffset_6; } inline void set_scrollOffset_6(Vector2_t1870731928 value) { ___scrollOffset_6 = value; } inline static int32_t get_offset_of_m_Content_7() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_Content_7)); } inline GUIContent_t2918791183 * get_m_Content_7() const { return ___m_Content_7; } inline GUIContent_t2918791183 ** get_address_of_m_Content_7() { return &___m_Content_7; } inline void set_m_Content_7(GUIContent_t2918791183 * value) { ___m_Content_7 = value; Il2CppCodeGenWriteBarrier((&___m_Content_7), value); } inline static int32_t get_offset_of_m_CursorIndex_8() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_CursorIndex_8)); } inline int32_t get_m_CursorIndex_8() const { return ___m_CursorIndex_8; } inline int32_t* get_address_of_m_CursorIndex_8() { return &___m_CursorIndex_8; } inline void set_m_CursorIndex_8(int32_t value) { ___m_CursorIndex_8 = value; } inline static int32_t get_offset_of_m_SelectIndex_9() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_SelectIndex_9)); } inline int32_t get_m_SelectIndex_9() const { return ___m_SelectIndex_9; } inline int32_t* get_address_of_m_SelectIndex_9() { return &___m_SelectIndex_9; } inline void set_m_SelectIndex_9(int32_t value) { ___m_SelectIndex_9 = value; } inline static int32_t get_offset_of_m_RevealCursor_10() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_RevealCursor_10)); } inline bool get_m_RevealCursor_10() const { return ___m_RevealCursor_10; } inline bool* get_address_of_m_RevealCursor_10() { return &___m_RevealCursor_10; } inline void set_m_RevealCursor_10(bool value) { ___m_RevealCursor_10 = value; } inline static int32_t get_offset_of_m_MouseDragSelectsWholeWords_11() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_MouseDragSelectsWholeWords_11)); } inline bool get_m_MouseDragSelectsWholeWords_11() const { return ___m_MouseDragSelectsWholeWords_11; } inline bool* get_address_of_m_MouseDragSelectsWholeWords_11() { return &___m_MouseDragSelectsWholeWords_11; } inline void set_m_MouseDragSelectsWholeWords_11(bool value) { ___m_MouseDragSelectsWholeWords_11 = value; } inline static int32_t get_offset_of_m_DblClickInitPos_12() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_DblClickInitPos_12)); } inline int32_t get_m_DblClickInitPos_12() const { return ___m_DblClickInitPos_12; } inline int32_t* get_address_of_m_DblClickInitPos_12() { return &___m_DblClickInitPos_12; } inline void set_m_DblClickInitPos_12(int32_t value) { ___m_DblClickInitPos_12 = value; } inline static int32_t get_offset_of_m_DblClickSnap_13() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_DblClickSnap_13)); } inline uint8_t get_m_DblClickSnap_13() const { return ___m_DblClickSnap_13; } inline uint8_t* get_address_of_m_DblClickSnap_13() { return &___m_DblClickSnap_13; } inline void set_m_DblClickSnap_13(uint8_t value) { ___m_DblClickSnap_13 = value; } inline static int32_t get_offset_of_m_bJustSelected_14() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_bJustSelected_14)); } inline bool get_m_bJustSelected_14() const { return ___m_bJustSelected_14; } inline bool* get_address_of_m_bJustSelected_14() { return &___m_bJustSelected_14; } inline void set_m_bJustSelected_14(bool value) { ___m_bJustSelected_14 = value; } inline static int32_t get_offset_of_m_iAltCursorPos_15() { return static_cast<int32_t>(offsetof(TextEditor_t73873660, ___m_iAltCursorPos_15)); } inline int32_t get_m_iAltCursorPos_15() const { return ___m_iAltCursorPos_15; } inline int32_t* get_address_of_m_iAltCursorPos_15() { return &___m_iAltCursorPos_15; } inline void set_m_iAltCursorPos_15(int32_t value) { ___m_iAltCursorPos_15 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTEDITOR_T73873660_H #ifndef USERPROFILE_T778432599_H #define USERPROFILE_T778432599_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.UserProfile struct UserProfile_t778432599 : public RuntimeObject { public: // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::m_UserName String_t* ___m_UserName_0; // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::m_ID String_t* ___m_ID_1; // System.Boolean UnityEngine.SocialPlatforms.Impl.UserProfile::m_IsFriend bool ___m_IsFriend_2; // UnityEngine.SocialPlatforms.UserState UnityEngine.SocialPlatforms.Impl.UserProfile::m_State int32_t ___m_State_3; // UnityEngine.Texture2D UnityEngine.SocialPlatforms.Impl.UserProfile::m_Image Texture2D_t4076404164 * ___m_Image_4; public: inline static int32_t get_offset_of_m_UserName_0() { return static_cast<int32_t>(offsetof(UserProfile_t778432599, ___m_UserName_0)); } inline String_t* get_m_UserName_0() const { return ___m_UserName_0; } inline String_t** get_address_of_m_UserName_0() { return &___m_UserName_0; } inline void set_m_UserName_0(String_t* value) { ___m_UserName_0 = value; Il2CppCodeGenWriteBarrier((&___m_UserName_0), value); } inline static int32_t get_offset_of_m_ID_1() { return static_cast<int32_t>(offsetof(UserProfile_t778432599, ___m_ID_1)); } inline String_t* get_m_ID_1() const { return ___m_ID_1; } inline String_t** get_address_of_m_ID_1() { return &___m_ID_1; } inline void set_m_ID_1(String_t* value) { ___m_ID_1 = value; Il2CppCodeGenWriteBarrier((&___m_ID_1), value); } inline static int32_t get_offset_of_m_IsFriend_2() { return static_cast<int32_t>(offsetof(UserProfile_t778432599, ___m_IsFriend_2)); } inline bool get_m_IsFriend_2() const { return ___m_IsFriend_2; } inline bool* get_address_of_m_IsFriend_2() { return &___m_IsFriend_2; } inline void set_m_IsFriend_2(bool value) { ___m_IsFriend_2 = value; } inline static int32_t get_offset_of_m_State_3() { return static_cast<int32_t>(offsetof(UserProfile_t778432599, ___m_State_3)); } inline int32_t get_m_State_3() const { return ___m_State_3; } inline int32_t* get_address_of_m_State_3() { return &___m_State_3; } inline void set_m_State_3(int32_t value) { ___m_State_3 = value; } inline static int32_t get_offset_of_m_Image_4() { return static_cast<int32_t>(offsetof(UserProfile_t778432599, ___m_Image_4)); } inline Texture2D_t4076404164 * get_m_Image_4() const { return ___m_Image_4; } inline Texture2D_t4076404164 ** get_address_of_m_Image_4() { return &___m_Image_4; } inline void set_m_Image_4(Texture2D_t4076404164 * value) { ___m_Image_4 = value; Il2CppCodeGenWriteBarrier((&___m_Image_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // USERPROFILE_T778432599_H #ifndef DATETIME_T816944984_H #define DATETIME_T816944984_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.DateTime struct DateTime_t816944984 { public: // System.TimeSpan System.DateTime::ticks TimeSpan_t1868885790 ___ticks_0; // System.DateTimeKind System.DateTime::kind int32_t ___kind_1; public: inline static int32_t get_offset_of_ticks_0() { return static_cast<int32_t>(offsetof(DateTime_t816944984, ___ticks_0)); } inline TimeSpan_t1868885790 get_ticks_0() const { return ___ticks_0; } inline TimeSpan_t1868885790 * get_address_of_ticks_0() { return &___ticks_0; } inline void set_ticks_0(TimeSpan_t1868885790 value) { ___ticks_0 = value; } inline static int32_t get_offset_of_kind_1() { return static_cast<int32_t>(offsetof(DateTime_t816944984, ___kind_1)); } inline int32_t get_kind_1() const { return ___kind_1; } inline int32_t* get_address_of_kind_1() { return &___kind_1; } inline void set_kind_1(int32_t value) { ___kind_1 = value; } }; struct DateTime_t816944984_StaticFields { public: // System.DateTime System.DateTime::MaxValue DateTime_t816944984 ___MaxValue_2; // System.DateTime System.DateTime::MinValue DateTime_t816944984 ___MinValue_3; // System.String[] System.DateTime::ParseTimeFormats StringU5BU5D_t2238447960* ___ParseTimeFormats_4; // System.String[] System.DateTime::ParseYearDayMonthFormats StringU5BU5D_t2238447960* ___ParseYearDayMonthFormats_5; // System.String[] System.DateTime::ParseYearMonthDayFormats StringU5BU5D_t2238447960* ___ParseYearMonthDayFormats_6; // System.String[] System.DateTime::ParseDayMonthYearFormats StringU5BU5D_t2238447960* ___ParseDayMonthYearFormats_7; // System.String[] System.DateTime::ParseMonthDayYearFormats StringU5BU5D_t2238447960* ___ParseMonthDayYearFormats_8; // System.String[] System.DateTime::MonthDayShortFormats StringU5BU5D_t2238447960* ___MonthDayShortFormats_9; // System.String[] System.DateTime::DayMonthShortFormats StringU5BU5D_t2238447960* ___DayMonthShortFormats_10; // System.Int32[] System.DateTime::daysmonth Int32U5BU5D_t1771696264* ___daysmonth_11; // System.Int32[] System.DateTime::daysmonthleap Int32U5BU5D_t1771696264* ___daysmonthleap_12; // System.Object System.DateTime::to_local_time_span_object RuntimeObject * ___to_local_time_span_object_13; // System.Int64 System.DateTime::last_now int64_t ___last_now_14; public: inline static int32_t get_offset_of_MaxValue_2() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___MaxValue_2)); } inline DateTime_t816944984 get_MaxValue_2() const { return ___MaxValue_2; } inline DateTime_t816944984 * get_address_of_MaxValue_2() { return &___MaxValue_2; } inline void set_MaxValue_2(DateTime_t816944984 value) { ___MaxValue_2 = value; } inline static int32_t get_offset_of_MinValue_3() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___MinValue_3)); } inline DateTime_t816944984 get_MinValue_3() const { return ___MinValue_3; } inline DateTime_t816944984 * get_address_of_MinValue_3() { return &___MinValue_3; } inline void set_MinValue_3(DateTime_t816944984 value) { ___MinValue_3 = value; } inline static int32_t get_offset_of_ParseTimeFormats_4() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___ParseTimeFormats_4)); } inline StringU5BU5D_t2238447960* get_ParseTimeFormats_4() const { return ___ParseTimeFormats_4; } inline StringU5BU5D_t2238447960** get_address_of_ParseTimeFormats_4() { return &___ParseTimeFormats_4; } inline void set_ParseTimeFormats_4(StringU5BU5D_t2238447960* value) { ___ParseTimeFormats_4 = value; Il2CppCodeGenWriteBarrier((&___ParseTimeFormats_4), value); } inline static int32_t get_offset_of_ParseYearDayMonthFormats_5() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___ParseYearDayMonthFormats_5)); } inline StringU5BU5D_t2238447960* get_ParseYearDayMonthFormats_5() const { return ___ParseYearDayMonthFormats_5; } inline StringU5BU5D_t2238447960** get_address_of_ParseYearDayMonthFormats_5() { return &___ParseYearDayMonthFormats_5; } inline void set_ParseYearDayMonthFormats_5(StringU5BU5D_t2238447960* value) { ___ParseYearDayMonthFormats_5 = value; Il2CppCodeGenWriteBarrier((&___ParseYearDayMonthFormats_5), value); } inline static int32_t get_offset_of_ParseYearMonthDayFormats_6() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___ParseYearMonthDayFormats_6)); } inline StringU5BU5D_t2238447960* get_ParseYearMonthDayFormats_6() const { return ___ParseYearMonthDayFormats_6; } inline StringU5BU5D_t2238447960** get_address_of_ParseYearMonthDayFormats_6() { return &___ParseYearMonthDayFormats_6; } inline void set_ParseYearMonthDayFormats_6(StringU5BU5D_t2238447960* value) { ___ParseYearMonthDayFormats_6 = value; Il2CppCodeGenWriteBarrier((&___ParseYearMonthDayFormats_6), value); } inline static int32_t get_offset_of_ParseDayMonthYearFormats_7() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___ParseDayMonthYearFormats_7)); } inline StringU5BU5D_t2238447960* get_ParseDayMonthYearFormats_7() const { return ___ParseDayMonthYearFormats_7; } inline StringU5BU5D_t2238447960** get_address_of_ParseDayMonthYearFormats_7() { return &___ParseDayMonthYearFormats_7; } inline void set_ParseDayMonthYearFormats_7(StringU5BU5D_t2238447960* value) { ___ParseDayMonthYearFormats_7 = value; Il2CppCodeGenWriteBarrier((&___ParseDayMonthYearFormats_7), value); } inline static int32_t get_offset_of_ParseMonthDayYearFormats_8() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___ParseMonthDayYearFormats_8)); } inline StringU5BU5D_t2238447960* get_ParseMonthDayYearFormats_8() const { return ___ParseMonthDayYearFormats_8; } inline StringU5BU5D_t2238447960** get_address_of_ParseMonthDayYearFormats_8() { return &___ParseMonthDayYearFormats_8; } inline void set_ParseMonthDayYearFormats_8(StringU5BU5D_t2238447960* value) { ___ParseMonthDayYearFormats_8 = value; Il2CppCodeGenWriteBarrier((&___ParseMonthDayYearFormats_8), value); } inline static int32_t get_offset_of_MonthDayShortFormats_9() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___MonthDayShortFormats_9)); } inline StringU5BU5D_t2238447960* get_MonthDayShortFormats_9() const { return ___MonthDayShortFormats_9; } inline StringU5BU5D_t2238447960** get_address_of_MonthDayShortFormats_9() { return &___MonthDayShortFormats_9; } inline void set_MonthDayShortFormats_9(StringU5BU5D_t2238447960* value) { ___MonthDayShortFormats_9 = value; Il2CppCodeGenWriteBarrier((&___MonthDayShortFormats_9), value); } inline static int32_t get_offset_of_DayMonthShortFormats_10() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___DayMonthShortFormats_10)); } inline StringU5BU5D_t2238447960* get_DayMonthShortFormats_10() const { return ___DayMonthShortFormats_10; } inline StringU5BU5D_t2238447960** get_address_of_DayMonthShortFormats_10() { return &___DayMonthShortFormats_10; } inline void set_DayMonthShortFormats_10(StringU5BU5D_t2238447960* value) { ___DayMonthShortFormats_10 = value; Il2CppCodeGenWriteBarrier((&___DayMonthShortFormats_10), value); } inline static int32_t get_offset_of_daysmonth_11() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___daysmonth_11)); } inline Int32U5BU5D_t1771696264* get_daysmonth_11() const { return ___daysmonth_11; } inline Int32U5BU5D_t1771696264** get_address_of_daysmonth_11() { return &___daysmonth_11; } inline void set_daysmonth_11(Int32U5BU5D_t1771696264* value) { ___daysmonth_11 = value; Il2CppCodeGenWriteBarrier((&___daysmonth_11), value); } inline static int32_t get_offset_of_daysmonthleap_12() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___daysmonthleap_12)); } inline Int32U5BU5D_t1771696264* get_daysmonthleap_12() const { return ___daysmonthleap_12; } inline Int32U5BU5D_t1771696264** get_address_of_daysmonthleap_12() { return &___daysmonthleap_12; } inline void set_daysmonthleap_12(Int32U5BU5D_t1771696264* value) { ___daysmonthleap_12 = value; Il2CppCodeGenWriteBarrier((&___daysmonthleap_12), value); } inline static int32_t get_offset_of_to_local_time_span_object_13() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___to_local_time_span_object_13)); } inline RuntimeObject * get_to_local_time_span_object_13() const { return ___to_local_time_span_object_13; } inline RuntimeObject ** get_address_of_to_local_time_span_object_13() { return &___to_local_time_span_object_13; } inline void set_to_local_time_span_object_13(RuntimeObject * value) { ___to_local_time_span_object_13 = value; Il2CppCodeGenWriteBarrier((&___to_local_time_span_object_13), value); } inline static int32_t get_offset_of_last_now_14() { return static_cast<int32_t>(offsetof(DateTime_t816944984_StaticFields, ___last_now_14)); } inline int64_t get_last_now_14() const { return ___last_now_14; } inline int64_t* get_address_of_last_now_14() { return &___last_now_14; } inline void set_last_now_14(int64_t value) { ___last_now_14 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // DATETIME_T816944984_H #ifndef SCRIPTABLEOBJECT_T3476656374_H #define SCRIPTABLEOBJECT_T3476656374_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.ScriptableObject struct ScriptableObject_t3476656374 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.ScriptableObject struct ScriptableObject_t3476656374_marshaled_pinvoke : public Object_t1699899486_marshaled_pinvoke { }; // Native definition for COM marshalling of UnityEngine.ScriptableObject struct ScriptableObject_t3476656374_marshaled_com : public Object_t1699899486_marshaled_com { }; #endif // SCRIPTABLEOBJECT_T3476656374_H #ifndef SPRITE_T987320674_H #define SPRITE_T987320674_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Sprite struct Sprite_t987320674 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SPRITE_T987320674_H #ifndef LEADERBOARD_T1235456057_H #define LEADERBOARD_T1235456057_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.Leaderboard struct Leaderboard_t1235456057 : public RuntimeObject { public: // System.Boolean UnityEngine.SocialPlatforms.Impl.Leaderboard::m_Loading bool ___m_Loading_0; // UnityEngine.SocialPlatforms.IScore UnityEngine.SocialPlatforms.Impl.Leaderboard::m_LocalUserScore RuntimeObject* ___m_LocalUserScore_1; // System.UInt32 UnityEngine.SocialPlatforms.Impl.Leaderboard::m_MaxRange uint32_t ___m_MaxRange_2; // UnityEngine.SocialPlatforms.IScore[] UnityEngine.SocialPlatforms.Impl.Leaderboard::m_Scores IScoreU5BU5D_t2900809688* ___m_Scores_3; // System.String UnityEngine.SocialPlatforms.Impl.Leaderboard::m_Title String_t* ___m_Title_4; // System.String[] UnityEngine.SocialPlatforms.Impl.Leaderboard::m_UserIDs StringU5BU5D_t2238447960* ___m_UserIDs_5; // System.String UnityEngine.SocialPlatforms.Impl.Leaderboard::<id>k__BackingField String_t* ___U3CidU3Ek__BackingField_6; // UnityEngine.SocialPlatforms.UserScope UnityEngine.SocialPlatforms.Impl.Leaderboard::<userScope>k__BackingField int32_t ___U3CuserScopeU3Ek__BackingField_7; // UnityEngine.SocialPlatforms.Range UnityEngine.SocialPlatforms.Impl.Leaderboard::<range>k__BackingField Range_t566114770 ___U3CrangeU3Ek__BackingField_8; // UnityEngine.SocialPlatforms.TimeScope UnityEngine.SocialPlatforms.Impl.Leaderboard::<timeScope>k__BackingField int32_t ___U3CtimeScopeU3Ek__BackingField_9; public: inline static int32_t get_offset_of_m_Loading_0() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_Loading_0)); } inline bool get_m_Loading_0() const { return ___m_Loading_0; } inline bool* get_address_of_m_Loading_0() { return &___m_Loading_0; } inline void set_m_Loading_0(bool value) { ___m_Loading_0 = value; } inline static int32_t get_offset_of_m_LocalUserScore_1() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_LocalUserScore_1)); } inline RuntimeObject* get_m_LocalUserScore_1() const { return ___m_LocalUserScore_1; } inline RuntimeObject** get_address_of_m_LocalUserScore_1() { return &___m_LocalUserScore_1; } inline void set_m_LocalUserScore_1(RuntimeObject* value) { ___m_LocalUserScore_1 = value; Il2CppCodeGenWriteBarrier((&___m_LocalUserScore_1), value); } inline static int32_t get_offset_of_m_MaxRange_2() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_MaxRange_2)); } inline uint32_t get_m_MaxRange_2() const { return ___m_MaxRange_2; } inline uint32_t* get_address_of_m_MaxRange_2() { return &___m_MaxRange_2; } inline void set_m_MaxRange_2(uint32_t value) { ___m_MaxRange_2 = value; } inline static int32_t get_offset_of_m_Scores_3() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_Scores_3)); } inline IScoreU5BU5D_t2900809688* get_m_Scores_3() const { return ___m_Scores_3; } inline IScoreU5BU5D_t2900809688** get_address_of_m_Scores_3() { return &___m_Scores_3; } inline void set_m_Scores_3(IScoreU5BU5D_t2900809688* value) { ___m_Scores_3 = value; Il2CppCodeGenWriteBarrier((&___m_Scores_3), value); } inline static int32_t get_offset_of_m_Title_4() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_Title_4)); } inline String_t* get_m_Title_4() const { return ___m_Title_4; } inline String_t** get_address_of_m_Title_4() { return &___m_Title_4; } inline void set_m_Title_4(String_t* value) { ___m_Title_4 = value; Il2CppCodeGenWriteBarrier((&___m_Title_4), value); } inline static int32_t get_offset_of_m_UserIDs_5() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___m_UserIDs_5)); } inline StringU5BU5D_t2238447960* get_m_UserIDs_5() const { return ___m_UserIDs_5; } inline StringU5BU5D_t2238447960** get_address_of_m_UserIDs_5() { return &___m_UserIDs_5; } inline void set_m_UserIDs_5(StringU5BU5D_t2238447960* value) { ___m_UserIDs_5 = value; Il2CppCodeGenWriteBarrier((&___m_UserIDs_5), value); } inline static int32_t get_offset_of_U3CidU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___U3CidU3Ek__BackingField_6)); } inline String_t* get_U3CidU3Ek__BackingField_6() const { return ___U3CidU3Ek__BackingField_6; } inline String_t** get_address_of_U3CidU3Ek__BackingField_6() { return &___U3CidU3Ek__BackingField_6; } inline void set_U3CidU3Ek__BackingField_6(String_t* value) { ___U3CidU3Ek__BackingField_6 = value; Il2CppCodeGenWriteBarrier((&___U3CidU3Ek__BackingField_6), value); } inline static int32_t get_offset_of_U3CuserScopeU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___U3CuserScopeU3Ek__BackingField_7)); } inline int32_t get_U3CuserScopeU3Ek__BackingField_7() const { return ___U3CuserScopeU3Ek__BackingField_7; } inline int32_t* get_address_of_U3CuserScopeU3Ek__BackingField_7() { return &___U3CuserScopeU3Ek__BackingField_7; } inline void set_U3CuserScopeU3Ek__BackingField_7(int32_t value) { ___U3CuserScopeU3Ek__BackingField_7 = value; } inline static int32_t get_offset_of_U3CrangeU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___U3CrangeU3Ek__BackingField_8)); } inline Range_t566114770 get_U3CrangeU3Ek__BackingField_8() const { return ___U3CrangeU3Ek__BackingField_8; } inline Range_t566114770 * get_address_of_U3CrangeU3Ek__BackingField_8() { return &___U3CrangeU3Ek__BackingField_8; } inline void set_U3CrangeU3Ek__BackingField_8(Range_t566114770 value) { ___U3CrangeU3Ek__BackingField_8 = value; } inline static int32_t get_offset_of_U3CtimeScopeU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(Leaderboard_t1235456057, ___U3CtimeScopeU3Ek__BackingField_9)); } inline int32_t get_U3CtimeScopeU3Ek__BackingField_9() const { return ___U3CtimeScopeU3Ek__BackingField_9; } inline int32_t* get_address_of_U3CtimeScopeU3Ek__BackingField_9() { return &___U3CtimeScopeU3Ek__BackingField_9; } inline void set_U3CtimeScopeU3Ek__BackingField_9(int32_t value) { ___U3CtimeScopeU3Ek__BackingField_9 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LEADERBOARD_T1235456057_H #ifndef ANIMATORCONTROLLERPLAYABLE_T3805541804_H #define ANIMATORCONTROLLERPLAYABLE_T3805541804_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Animations.AnimatorControllerPlayable struct AnimatorControllerPlayable_t3805541804 { public: // UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimatorControllerPlayable::m_Handle PlayableHandle_t1049564817 ___m_Handle_0; public: inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimatorControllerPlayable_t3805541804, ___m_Handle_0)); } inline PlayableHandle_t1049564817 get_m_Handle_0() const { return ___m_Handle_0; } inline PlayableHandle_t1049564817 * get_address_of_m_Handle_0() { return &___m_Handle_0; } inline void set_m_Handle_0(PlayableHandle_t1049564817 value) { ___m_Handle_0 = value; } }; struct AnimatorControllerPlayable_t3805541804_StaticFields { public: // UnityEngine.Animations.AnimatorControllerPlayable UnityEngine.Animations.AnimatorControllerPlayable::m_NullPlayable AnimatorControllerPlayable_t3805541804 ___m_NullPlayable_1; public: inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimatorControllerPlayable_t3805541804_StaticFields, ___m_NullPlayable_1)); } inline AnimatorControllerPlayable_t3805541804 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; } inline AnimatorControllerPlayable_t3805541804 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; } inline void set_m_NullPlayable_1(AnimatorControllerPlayable_t3805541804 value) { ___m_NullPlayable_1 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ANIMATORCONTROLLERPLAYABLE_T3805541804_H #ifndef GAMEOBJECT_T1817748288_H #define GAMEOBJECT_T1817748288_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.GameObject struct GameObject_t1817748288 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // GAMEOBJECT_T1817748288_H #ifndef SHADER_T4118747610_H #define SHADER_T4118747610_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Shader struct Shader_t4118747610 : public Object_t1699899486 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SHADER_T4118747610_H #ifndef PARAMETERINFO_T2527786478_H #define PARAMETERINFO_T2527786478_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_t2527786478 : 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.Reflection.Emit.UnmanagedMarshal System.Reflection.ParameterInfo::marshalAs UnmanagedMarshal_t2076293930 * ___marshalAs_6; public: inline static int32_t get_offset_of_ClassImpl_0() { return static_cast<int32_t>(offsetof(ParameterInfo_t2527786478, ___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_t2527786478, ___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_t2527786478, ___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_t2527786478, ___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_t2527786478, ___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_t2527786478, ___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_t2527786478, ___marshalAs_6)); } inline UnmanagedMarshal_t2076293930 * get_marshalAs_6() const { return ___marshalAs_6; } inline UnmanagedMarshal_t2076293930 ** get_address_of_marshalAs_6() { return &___marshalAs_6; } inline void set_marshalAs_6(UnmanagedMarshal_t2076293930 * value) { ___marshalAs_6 = value; Il2CppCodeGenWriteBarrier((&___marshalAs_6), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // PARAMETERINFO_T2527786478_H #ifndef COLLIDER_T997197530_H #define COLLIDER_T997197530_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Collider struct Collider_t997197530 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // COLLIDER_T997197530_H #ifndef REQUESTATLASCALLBACK_T1094793114_H #define REQUESTATLASCALLBACK_T1094793114_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback struct RequestAtlasCallback_t1094793114 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // REQUESTATLASCALLBACK_T1094793114_H #ifndef ACTION_1_T3078164784_H #define ACTION_1_T3078164784_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_t3078164784 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T3078164784_H #ifndef TRANSFORM_T1640584944_H #define TRANSFORM_T1640584944_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Transform struct Transform_t1640584944 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TRANSFORM_T1640584944_H #ifndef ACTION_1_T1525134164_H #define ACTION_1_T1525134164_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`1<UnityEngine.SocialPlatforms.IScore[]> struct Action_1_t1525134164 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T1525134164_H #ifndef ASYNCCALLBACK_T3736623411_H #define ASYNCCALLBACK_T3736623411_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.AsyncCallback struct AsyncCallback_t3736623411 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ASYNCCALLBACK_T3736623411_H #ifndef BEHAVIOUR_T2886796472_H #define BEHAVIOUR_T2886796472_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Behaviour struct Behaviour_t2886796472 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // BEHAVIOUR_T2886796472_H #ifndef SCORE_T3892511509_H #define SCORE_T3892511509_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.Score struct Score_t3892511509 : public RuntimeObject { public: // System.DateTime UnityEngine.SocialPlatforms.Impl.Score::m_Date DateTime_t816944984 ___m_Date_0; // System.String UnityEngine.SocialPlatforms.Impl.Score::m_FormattedValue String_t* ___m_FormattedValue_1; // System.String UnityEngine.SocialPlatforms.Impl.Score::m_UserID String_t* ___m_UserID_2; // System.Int32 UnityEngine.SocialPlatforms.Impl.Score::m_Rank int32_t ___m_Rank_3; // System.String UnityEngine.SocialPlatforms.Impl.Score::<leaderboardID>k__BackingField String_t* ___U3CleaderboardIDU3Ek__BackingField_4; // System.Int64 UnityEngine.SocialPlatforms.Impl.Score::<value>k__BackingField int64_t ___U3CvalueU3Ek__BackingField_5; public: inline static int32_t get_offset_of_m_Date_0() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___m_Date_0)); } inline DateTime_t816944984 get_m_Date_0() const { return ___m_Date_0; } inline DateTime_t816944984 * get_address_of_m_Date_0() { return &___m_Date_0; } inline void set_m_Date_0(DateTime_t816944984 value) { ___m_Date_0 = value; } inline static int32_t get_offset_of_m_FormattedValue_1() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___m_FormattedValue_1)); } inline String_t* get_m_FormattedValue_1() const { return ___m_FormattedValue_1; } inline String_t** get_address_of_m_FormattedValue_1() { return &___m_FormattedValue_1; } inline void set_m_FormattedValue_1(String_t* value) { ___m_FormattedValue_1 = value; Il2CppCodeGenWriteBarrier((&___m_FormattedValue_1), value); } inline static int32_t get_offset_of_m_UserID_2() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___m_UserID_2)); } inline String_t* get_m_UserID_2() const { return ___m_UserID_2; } inline String_t** get_address_of_m_UserID_2() { return &___m_UserID_2; } inline void set_m_UserID_2(String_t* value) { ___m_UserID_2 = value; Il2CppCodeGenWriteBarrier((&___m_UserID_2), value); } inline static int32_t get_offset_of_m_Rank_3() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___m_Rank_3)); } inline int32_t get_m_Rank_3() const { return ___m_Rank_3; } inline int32_t* get_address_of_m_Rank_3() { return &___m_Rank_3; } inline void set_m_Rank_3(int32_t value) { ___m_Rank_3 = value; } inline static int32_t get_offset_of_U3CleaderboardIDU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___U3CleaderboardIDU3Ek__BackingField_4)); } inline String_t* get_U3CleaderboardIDU3Ek__BackingField_4() const { return ___U3CleaderboardIDU3Ek__BackingField_4; } inline String_t** get_address_of_U3CleaderboardIDU3Ek__BackingField_4() { return &___U3CleaderboardIDU3Ek__BackingField_4; } inline void set_U3CleaderboardIDU3Ek__BackingField_4(String_t* value) { ___U3CleaderboardIDU3Ek__BackingField_4 = value; Il2CppCodeGenWriteBarrier((&___U3CleaderboardIDU3Ek__BackingField_4), value); } inline static int32_t get_offset_of_U3CvalueU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Score_t3892511509, ___U3CvalueU3Ek__BackingField_5)); } inline int64_t get_U3CvalueU3Ek__BackingField_5() const { return ___U3CvalueU3Ek__BackingField_5; } inline int64_t* get_address_of_U3CvalueU3Ek__BackingField_5() { return &___U3CvalueU3Ek__BackingField_5; } inline void set_U3CvalueU3Ek__BackingField_5(int64_t value) { ___U3CvalueU3Ek__BackingField_5 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SCORE_T3892511509_H #ifndef REAPPLYDRIVENPROPERTIES_T176550961_H #define REAPPLYDRIVENPROPERTIES_T176550961_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_t176550961 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // REAPPLYDRIVENPROPERTIES_T176550961_H #ifndef ACTION_1_T2462151928_H #define ACTION_1_T2462151928_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`1<UnityEngine.SocialPlatforms.IUserProfile[]> struct Action_1_t2462151928 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T2462151928_H #ifndef ACTION_1_T1823282900_H #define ACTION_1_T1823282900_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`1<UnityEngine.SocialPlatforms.IAchievement[]> struct Action_1_t1823282900 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T1823282900_H #ifndef LOCALUSER_T3045384341_H #define LOCALUSER_T3045384341_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.LocalUser struct LocalUser_t3045384341 : public UserProfile_t778432599 { public: // UnityEngine.SocialPlatforms.IUserProfile[] UnityEngine.SocialPlatforms.Impl.LocalUser::m_Friends IUserProfileU5BU5D_t3837827452* ___m_Friends_5; // System.Boolean UnityEngine.SocialPlatforms.Impl.LocalUser::m_Authenticated bool ___m_Authenticated_6; // System.Boolean UnityEngine.SocialPlatforms.Impl.LocalUser::m_Underage bool ___m_Underage_7; public: inline static int32_t get_offset_of_m_Friends_5() { return static_cast<int32_t>(offsetof(LocalUser_t3045384341, ___m_Friends_5)); } inline IUserProfileU5BU5D_t3837827452* get_m_Friends_5() const { return ___m_Friends_5; } inline IUserProfileU5BU5D_t3837827452** get_address_of_m_Friends_5() { return &___m_Friends_5; } inline void set_m_Friends_5(IUserProfileU5BU5D_t3837827452* value) { ___m_Friends_5 = value; Il2CppCodeGenWriteBarrier((&___m_Friends_5), value); } inline static int32_t get_offset_of_m_Authenticated_6() { return static_cast<int32_t>(offsetof(LocalUser_t3045384341, ___m_Authenticated_6)); } inline bool get_m_Authenticated_6() const { return ___m_Authenticated_6; } inline bool* get_address_of_m_Authenticated_6() { return &___m_Authenticated_6; } inline void set_m_Authenticated_6(bool value) { ___m_Authenticated_6 = value; } inline static int32_t get_offset_of_m_Underage_7() { return static_cast<int32_t>(offsetof(LocalUser_t3045384341, ___m_Underage_7)); } inline bool get_m_Underage_7() const { return ___m_Underage_7; } inline bool* get_address_of_m_Underage_7() { return &___m_Underage_7; } inline void set_m_Underage_7(bool value) { ___m_Underage_7 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // LOCALUSER_T3045384341_H #ifndef UPDATEDEVENTHANDLER_T4030213559_H #define UPDATEDEVENTHANDLER_T4030213559_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RemoteSettings/UpdatedEventHandler struct UpdatedEventHandler_t4030213559 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UPDATEDEVENTHANDLER_T4030213559_H #ifndef ACHIEVEMENT_T4251433276_H #define ACHIEVEMENT_T4251433276_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SocialPlatforms.Impl.Achievement struct Achievement_t4251433276 : public RuntimeObject { public: // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::m_Completed bool ___m_Completed_0; // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::m_Hidden bool ___m_Hidden_1; // System.DateTime UnityEngine.SocialPlatforms.Impl.Achievement::m_LastReportedDate DateTime_t816944984 ___m_LastReportedDate_2; // System.String UnityEngine.SocialPlatforms.Impl.Achievement::<id>k__BackingField String_t* ___U3CidU3Ek__BackingField_3; // System.Double UnityEngine.SocialPlatforms.Impl.Achievement::<percentCompleted>k__BackingField double ___U3CpercentCompletedU3Ek__BackingField_4; public: inline static int32_t get_offset_of_m_Completed_0() { return static_cast<int32_t>(offsetof(Achievement_t4251433276, ___m_Completed_0)); } inline bool get_m_Completed_0() const { return ___m_Completed_0; } inline bool* get_address_of_m_Completed_0() { return &___m_Completed_0; } inline void set_m_Completed_0(bool value) { ___m_Completed_0 = value; } inline static int32_t get_offset_of_m_Hidden_1() { return static_cast<int32_t>(offsetof(Achievement_t4251433276, ___m_Hidden_1)); } inline bool get_m_Hidden_1() const { return ___m_Hidden_1; } inline bool* get_address_of_m_Hidden_1() { return &___m_Hidden_1; } inline void set_m_Hidden_1(bool value) { ___m_Hidden_1 = value; } inline static int32_t get_offset_of_m_LastReportedDate_2() { return static_cast<int32_t>(offsetof(Achievement_t4251433276, ___m_LastReportedDate_2)); } inline DateTime_t816944984 get_m_LastReportedDate_2() const { return ___m_LastReportedDate_2; } inline DateTime_t816944984 * get_address_of_m_LastReportedDate_2() { return &___m_LastReportedDate_2; } inline void set_m_LastReportedDate_2(DateTime_t816944984 value) { ___m_LastReportedDate_2 = value; } inline static int32_t get_offset_of_U3CidU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Achievement_t4251433276, ___U3CidU3Ek__BackingField_3)); } inline String_t* get_U3CidU3Ek__BackingField_3() const { return ___U3CidU3Ek__BackingField_3; } inline String_t** get_address_of_U3CidU3Ek__BackingField_3() { return &___U3CidU3Ek__BackingField_3; } inline void set_U3CidU3Ek__BackingField_3(String_t* value) { ___U3CidU3Ek__BackingField_3 = value; Il2CppCodeGenWriteBarrier((&___U3CidU3Ek__BackingField_3), value); } inline static int32_t get_offset_of_U3CpercentCompletedU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Achievement_t4251433276, ___U3CpercentCompletedU3Ek__BackingField_4)); } inline double get_U3CpercentCompletedU3Ek__BackingField_4() const { return ___U3CpercentCompletedU3Ek__BackingField_4; } inline double* get_address_of_U3CpercentCompletedU3Ek__BackingField_4() { return &___U3CpercentCompletedU3Ek__BackingField_4; } inline void set_U3CpercentCompletedU3Ek__BackingField_4(double value) { ___U3CpercentCompletedU3Ek__BackingField_4 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACHIEVEMENT_T4251433276_H #ifndef UNITYACTION_1_T1759667896_H #define UNITYACTION_1_T1759667896_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_t1759667896 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UNITYACTION_1_T1759667896_H #ifndef RENDERER_T2033234653_H #define RENDERER_T2033234653_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Renderer struct Renderer_t2033234653 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RENDERER_T2033234653_H #ifndef ACTION_1_T1048568049_H #define ACTION_1_T1048568049_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`1<System.Boolean> struct Action_1_t1048568049 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T1048568049_H #ifndef ACTION_2_T4026259155_H #define ACTION_2_T4026259155_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`2<System.Boolean,System.String> struct Action_2_t4026259155 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_2_T4026259155_H #ifndef ACTION_1_T2750265789_H #define ACTION_1_T2750265789_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Action`1<UnityEngine.SocialPlatforms.IAchievementDescription[]> struct Action_1_t2750265789 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ACTION_1_T2750265789_H #ifndef UNITYACTION_2_T324713334_H #define UNITYACTION_2_T324713334_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_t324713334 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UNITYACTION_2_T324713334_H #ifndef TEXTURE2D_T4076404164_H #define TEXTURE2D_T4076404164_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Texture2D struct Texture2D_t4076404164 : public Texture_t735859423 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // TEXTURE2D_T4076404164_H #ifndef RENDERTEXTURE_T20074727_H #define RENDERTEXTURE_T20074727_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RenderTexture struct RenderTexture_t20074727 : public Texture_t735859423 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RENDERTEXTURE_T20074727_H #ifndef STATEMACHINEBEHAVIOUR_T2729640527_H #define STATEMACHINEBEHAVIOUR_T2729640527_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.StateMachineBehaviour struct StateMachineBehaviour_t2729640527 : public ScriptableObject_t3476656374 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // STATEMACHINEBEHAVIOUR_T2729640527_H #ifndef UNITYACTION_2_T2810360728_H #define UNITYACTION_2_T2810360728_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_t2810360728 : public MulticastDelegate_t868286602 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // UNITYACTION_2_T2810360728_H #ifndef TEXTGENERATOR_T2161547030_H #define TEXTGENERATOR_T2161547030_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.TextGenerator struct TextGenerator_t2161547030 : public RuntimeObject { public: // System.IntPtr UnityEngine.TextGenerator::m_Ptr IntPtr_t ___m_Ptr_0; // System.String UnityEngine.TextGenerator::m_LastString String_t* ___m_LastString_1; // UnityEngine.TextGenerationSettings UnityEngine.TextGenerator::m_LastSettings TextGenerationSettings_t987435647 ___m_LastSettings_2; // System.Boolean UnityEngine.TextGenerator::m_HasGenerated bool ___m_HasGenerated_3; // UnityEngine.TextGenerationError UnityEngine.TextGenerator::m_LastValid int32_t ___m_LastValid_4; // System.Collections.Generic.List`1<UnityEngine.UIVertex> UnityEngine.TextGenerator::m_Verts List_1_t2822604285 * ___m_Verts_5; // System.Collections.Generic.List`1<UnityEngine.UICharInfo> UnityEngine.TextGenerator::m_Characters List_1_t1760015106 * ___m_Characters_6; // System.Collections.Generic.List`1<UnityEngine.UILineInfo> UnityEngine.TextGenerator::m_Lines List_1_t4059619465 * ___m_Lines_7; // System.Boolean UnityEngine.TextGenerator::m_CachedVerts bool ___m_CachedVerts_8; // System.Boolean UnityEngine.TextGenerator::m_CachedCharacters bool ___m_CachedCharacters_9; // System.Boolean UnityEngine.TextGenerator::m_CachedLines bool ___m_CachedLines_10; public: inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___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_LastString_1() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_LastString_1)); } inline String_t* get_m_LastString_1() const { return ___m_LastString_1; } inline String_t** get_address_of_m_LastString_1() { return &___m_LastString_1; } inline void set_m_LastString_1(String_t* value) { ___m_LastString_1 = value; Il2CppCodeGenWriteBarrier((&___m_LastString_1), value); } inline static int32_t get_offset_of_m_LastSettings_2() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_LastSettings_2)); } inline TextGenerationSettings_t987435647 get_m_LastSettings_2() const { return ___m_LastSettings_2; } inline TextGenerationSettings_t987435647 * get_address_of_m_LastSettings_2() { return &___m_LastSettings_2; } inline void set_m_LastSettings_2(TextGenerationSettings_t987435647 value) { ___m_LastSettings_2 = value; } inline static int32_t get_offset_of_m_HasGenerated_3() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_HasGenerated_3)); } inline bool get_m_HasGenerated_3() const { return ___m_HasGenerated_3; } inline bool* get_address_of_m_HasGenerated_3() { return &___m_HasGenerated_3; } inline void set_m_HasGenerated_3(bool value) { ___m_HasGenerated_3 = value; } inline static int32_t get_offset_of_m_LastValid_4() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_LastValid_4)); } inline int32_t get_m_LastValid_4() const { return ___m_LastValid_4; } inline int32_t* get_address_of_m_LastValid_4() { return &___m_LastValid_4; } inline void set_m_LastValid_4(int32_t value) { ___m_LastValid_4 = value; } inline static int32_t get_offset_of_m_Verts_5() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_Verts_5)); } inline List_1_t2822604285 * get_m_Verts_5() const { return ___m_Verts_5; } inline List_1_t2822604285 ** get_address_of_m_Verts_5() { return &___m_Verts_5; } inline void set_m_Verts_5(List_1_t2822604285 * value) { ___m_Verts_5 = value; Il2CppCodeGenWriteBarrier((&___m_Verts_5), value); } inline static int32_t get_offset_of_m_Characters_6() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_Characters_6)); } inline List_1_t1760015106 * get_m_Characters_6() const { return ___m_Characters_6; } inline List_1_t1760015106 ** get_address_of_m_Characters_6() { return &___m_Characters_6; } inline void set_m_Characters_6(List_1_t1760015106 * value) { ___m_Characters_6 = value; Il2CppCodeGenWriteBarrier((&___m_Characters_6), value); } inline static int32_t get_offset_of_m_Lines_7() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_Lines_7)); } inline List_1_t4059619465 * get_m_Lines_7() const { return ___m_Lines_7; } inline List_1_t4059619465 ** get_address_of_m_Lines_7() { return &___m_Lines_7; } inline void set_m_Lines_7(List_1_t4059619465 * value) { ___m_Lines_7 = value; Il2CppCodeGenWriteBarrier((&___m_Lines_7), value); } inline static int32_t get_offset_of_m_CachedVerts_8() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_CachedVerts_8)); } inline bool get_m_CachedVerts_8() const { return ___m_CachedVerts_8; } inline bool* get_address_of_m_CachedVerts_8() { return &___m_CachedVerts_8; } inline void set_m_CachedVerts_8(bool value) { ___m_CachedVerts_8 = value; } inline static int32_t get_offset_of_m_CachedCharacters_9() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_CachedCharacters_9)); } inline bool get_m_CachedCharacters_9() const { return ___m_CachedCharacters_9; } inline bool* get_address_of_m_CachedCharacters_9() { return &___m_CachedCharacters_9; } inline void set_m_CachedCharacters_9(bool value) { ___m_CachedCharacters_9 = value; } inline static int32_t get_offset_of_m_CachedLines_10() { return static_cast<int32_t>(offsetof(TextGenerator_t2161547030, ___m_CachedLines_10)); } inline bool get_m_CachedLines_10() const { return ___m_CachedLines_10; } inline bool* get_address_of_m_CachedLines_10() { return &___m_CachedLines_10; } inline void set_m_CachedLines_10(bool value) { ___m_CachedLines_10 = value; } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // Native definition for P/Invoke marshalling of UnityEngine.TextGenerator struct TextGenerator_t2161547030_marshaled_pinvoke { intptr_t ___m_Ptr_0; char* ___m_LastString_1; TextGenerationSettings_t987435647_marshaled_pinvoke ___m_LastSettings_2; int32_t ___m_HasGenerated_3; int32_t ___m_LastValid_4; List_1_t2822604285 * ___m_Verts_5; List_1_t1760015106 * ___m_Characters_6; List_1_t4059619465 * ___m_Lines_7; int32_t ___m_CachedVerts_8; int32_t ___m_CachedCharacters_9; int32_t ___m_CachedLines_10; }; // Native definition for COM marshalling of UnityEngine.TextGenerator struct TextGenerator_t2161547030_marshaled_com { intptr_t ___m_Ptr_0; Il2CppChar* ___m_LastString_1; TextGenerationSettings_t987435647_marshaled_com ___m_LastSettings_2; int32_t ___m_HasGenerated_3; int32_t ___m_LastValid_4; List_1_t2822604285 * ___m_Verts_5; List_1_t1760015106 * ___m_Characters_6; List_1_t4059619465 * ___m_Lines_7; int32_t ___m_CachedVerts_8; int32_t ___m_CachedCharacters_9; int32_t ___m_CachedLines_10; }; #endif // TEXTGENERATOR_T2161547030_H #ifndef RIGIDBODY_T2944185830_H #define RIGIDBODY_T2944185830_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Rigidbody struct Rigidbody_t2944185830 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RIGIDBODY_T2944185830_H #ifndef RIGIDBODY2D_T3703340207_H #define RIGIDBODY2D_T3703340207_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Rigidbody2D struct Rigidbody2D_t3703340207 : public Component_t1099781993 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RIGIDBODY2D_T3703340207_H #ifndef COLLIDER2D_T1683084049_H #define COLLIDER2D_T1683084049_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Collider2D struct Collider2D_t1683084049 : public Behaviour_t2886796472 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // COLLIDER2D_T1683084049_H #ifndef RECTTRANSFORM_T3407578435_H #define RECTTRANSFORM_T3407578435_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.RectTransform struct RectTransform_t3407578435 : public Transform_t1640584944 { public: public: }; struct RectTransform_t3407578435_StaticFields { public: // UnityEngine.RectTransform/ReapplyDrivenProperties UnityEngine.RectTransform::reapplyDrivenProperties ReapplyDrivenProperties_t176550961 * ___reapplyDrivenProperties_2; public: inline static int32_t get_offset_of_reapplyDrivenProperties_2() { return static_cast<int32_t>(offsetof(RectTransform_t3407578435_StaticFields, ___reapplyDrivenProperties_2)); } inline ReapplyDrivenProperties_t176550961 * get_reapplyDrivenProperties_2() const { return ___reapplyDrivenProperties_2; } inline ReapplyDrivenProperties_t176550961 ** get_address_of_reapplyDrivenProperties_2() { return &___reapplyDrivenProperties_2; } inline void set_reapplyDrivenProperties_2(ReapplyDrivenProperties_t176550961 * value) { ___reapplyDrivenProperties_2 = value; Il2CppCodeGenWriteBarrier((&___reapplyDrivenProperties_2), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // RECTTRANSFORM_T3407578435_H #ifndef ANIMATOR_T2755805336_H #define ANIMATOR_T2755805336_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Animator struct Animator_t2755805336 : public Behaviour_t2886796472 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // ANIMATOR_T2755805336_H #ifndef GUIELEMENT_T3542088430_H #define GUIELEMENT_T3542088430_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.GUIElement struct GUIElement_t3542088430 : public Behaviour_t2886796472 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // GUIELEMENT_T3542088430_H #ifndef SPHERECOLLIDER_T2017910708_H #define SPHERECOLLIDER_T2017910708_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SphereCollider struct SphereCollider_t2017910708 : public Collider_t997197530 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SPHERECOLLIDER_T2017910708_H #ifndef CAMERA_T2217315075_H #define CAMERA_T2217315075_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Camera struct Camera_t2217315075 : public Behaviour_t2886796472 { public: public: }; struct Camera_t2217315075_StaticFields { public: // UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPreCull CameraCallback_t2825462926 * ___onPreCull_2; // UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPreRender CameraCallback_t2825462926 * ___onPreRender_3; // UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPostRender CameraCallback_t2825462926 * ___onPostRender_4; public: inline static int32_t get_offset_of_onPreCull_2() { return static_cast<int32_t>(offsetof(Camera_t2217315075_StaticFields, ___onPreCull_2)); } inline CameraCallback_t2825462926 * get_onPreCull_2() const { return ___onPreCull_2; } inline CameraCallback_t2825462926 ** get_address_of_onPreCull_2() { return &___onPreCull_2; } inline void set_onPreCull_2(CameraCallback_t2825462926 * value) { ___onPreCull_2 = value; Il2CppCodeGenWriteBarrier((&___onPreCull_2), value); } inline static int32_t get_offset_of_onPreRender_3() { return static_cast<int32_t>(offsetof(Camera_t2217315075_StaticFields, ___onPreRender_3)); } inline CameraCallback_t2825462926 * get_onPreRender_3() const { return ___onPreRender_3; } inline CameraCallback_t2825462926 ** get_address_of_onPreRender_3() { return &___onPreRender_3; } inline void set_onPreRender_3(CameraCallback_t2825462926 * value) { ___onPreRender_3 = value; Il2CppCodeGenWriteBarrier((&___onPreRender_3), value); } inline static int32_t get_offset_of_onPostRender_4() { return static_cast<int32_t>(offsetof(Camera_t2217315075_StaticFields, ___onPostRender_4)); } inline CameraCallback_t2825462926 * get_onPostRender_4() const { return ___onPostRender_4; } inline CameraCallback_t2825462926 ** get_address_of_onPostRender_4() { return &___onPostRender_4; } inline void set_onPostRender_4(CameraCallback_t2825462926 * value) { ___onPostRender_4 = value; Il2CppCodeGenWriteBarrier((&___onPostRender_4), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // CAMERA_T2217315075_H #ifndef SPRITERENDERER_T2884766499_H #define SPRITERENDERER_T2884766499_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.SpriteRenderer struct SpriteRenderer_t2884766499 : public Renderer_t2033234653 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // SPRITERENDERER_T2884766499_H #ifndef GUILAYER_T1038811396_H #define GUILAYER_T1038811396_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.GUILayer struct GUILayer_t1038811396 : public Behaviour_t2886796472 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // GUILAYER_T1038811396_H #ifndef CANVAS_T3766332218_H #define CANVAS_T3766332218_H #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // UnityEngine.Canvas struct Canvas_t3766332218 : public Behaviour_t2886796472 { public: public: }; struct Canvas_t3766332218_StaticFields { public: // UnityEngine.Canvas/WillRenderCanvases UnityEngine.Canvas::willRenderCanvases WillRenderCanvases_t284919308 * ___willRenderCanvases_2; public: inline static int32_t get_offset_of_willRenderCanvases_2() { return static_cast<int32_t>(offsetof(Canvas_t3766332218_StaticFields, ___willRenderCanvases_2)); } inline WillRenderCanvases_t284919308 * get_willRenderCanvases_2() const { return ___willRenderCanvases_2; } inline WillRenderCanvases_t284919308 ** get_address_of_willRenderCanvases_2() { return &___willRenderCanvases_2; } inline void set_willRenderCanvases_2(WillRenderCanvases_t284919308 * value) { ___willRenderCanvases_2 = value; Il2CppCodeGenWriteBarrier((&___willRenderCanvases_2), value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif #endif // CANVAS_T3766332218_H // System.Object[] struct ObjectU5BU5D_t846638089 : 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.Vector3[] struct Vector3U5BU5D_t4045887177 : public RuntimeArray { public: ALIGN_FIELD (8) Vector3_t1874995928 m_Items[1]; public: inline Vector3_t1874995928 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Vector3_t1874995928 * 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_t1874995928 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Vector3_t1874995928 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Vector3_t1874995928 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Vector3_t1874995928 value) { m_Items[index] = value; } }; // UnityEngine.Camera[] struct CameraU5BU5D_t1852821906 : public RuntimeArray { public: ALIGN_FIELD (8) Camera_t2217315075 * m_Items[1]; public: inline Camera_t2217315075 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Camera_t2217315075 ** 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_t2217315075 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline Camera_t2217315075 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Camera_t2217315075 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Camera_t2217315075 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; // UnityEngine.SendMouseEvents/HitInfo[] struct HitInfoU5BU5D_t1129894377 : public RuntimeArray { public: ALIGN_FIELD (8) HitInfo_t2599499320 m_Items[1]; public: inline HitInfo_t2599499320 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline HitInfo_t2599499320 * 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_t2599499320 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline HitInfo_t2599499320 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline HitInfo_t2599499320 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, HitInfo_t2599499320 value) { m_Items[index] = value; } }; // System.Reflection.ParameterModifier[] struct ParameterModifierU5BU5D_t2494495189 : public RuntimeArray { public: ALIGN_FIELD (8) ParameterModifier_t2224387004 m_Items[1]; public: inline ParameterModifier_t2224387004 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ParameterModifier_t2224387004 * 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_t2224387004 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline ParameterModifier_t2224387004 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ParameterModifier_t2224387004 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ParameterModifier_t2224387004 value) { m_Items[index] = value; } }; // System.String[] struct StringU5BU5D_t2238447960 : 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.SocialPlatforms.Impl.AchievementDescription[] struct AchievementDescriptionU5BU5D_t332302736 : public RuntimeArray { public: ALIGN_FIELD (8) AchievementDescription_t3742507101 * m_Items[1]; public: inline AchievementDescription_t3742507101 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline AchievementDescription_t3742507101 ** 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, AchievementDescription_t3742507101 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline AchievementDescription_t3742507101 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline AchievementDescription_t3742507101 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, AchievementDescription_t3742507101 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; // UnityEngine.SocialPlatforms.IAchievementDescription[] struct IAchievementDescriptionU5BU5D_t4125941313 : 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.SocialPlatforms.Impl.UserProfile[] struct UserProfileU5BU5D_t1816242286 : public RuntimeArray { public: ALIGN_FIELD (8) UserProfile_t778432599 * m_Items[1]; public: inline UserProfile_t778432599 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline UserProfile_t778432599 ** 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, UserProfile_t778432599 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline UserProfile_t778432599 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline UserProfile_t778432599 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, UserProfile_t778432599 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; // UnityEngine.SocialPlatforms.IUserProfile[] struct IUserProfileU5BU5D_t3837827452 : 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.SocialPlatforms.GameCenter.GcAchievementData[] struct GcAchievementDataU5BU5D_t1581875115 : public RuntimeArray { public: ALIGN_FIELD (8) GcAchievementData_t985292318 m_Items[1]; public: inline GcAchievementData_t985292318 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline GcAchievementData_t985292318 * 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, GcAchievementData_t985292318 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline GcAchievementData_t985292318 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline GcAchievementData_t985292318 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, GcAchievementData_t985292318 value) { m_Items[index] = value; } }; // UnityEngine.SocialPlatforms.Impl.Achievement[] struct AchievementU5BU5D_t3750456917 : public RuntimeArray { public: ALIGN_FIELD (8) Achievement_t4251433276 * m_Items[1]; public: inline Achievement_t4251433276 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Achievement_t4251433276 ** 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, Achievement_t4251433276 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline Achievement_t4251433276 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Achievement_t4251433276 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Achievement_t4251433276 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; // UnityEngine.SocialPlatforms.IAchievement[] struct IAchievementU5BU5D_t3198958424 : 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.SocialPlatforms.GameCenter.GcScoreData[] struct GcScoreDataU5BU5D_t2002748746 : public RuntimeArray { public: ALIGN_FIELD (8) GcScoreData_t2742962091 m_Items[1]; public: inline GcScoreData_t2742962091 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline GcScoreData_t2742962091 * 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, GcScoreData_t2742962091 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline GcScoreData_t2742962091 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline GcScoreData_t2742962091 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, GcScoreData_t2742962091 value) { m_Items[index] = value; } }; // UnityEngine.SocialPlatforms.Impl.Score[] struct ScoreU5BU5D_t2970152184 : public RuntimeArray { public: ALIGN_FIELD (8) Score_t3892511509 * m_Items[1]; public: inline Score_t3892511509 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Score_t3892511509 ** 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, Score_t3892511509 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline Score_t3892511509 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Score_t3892511509 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Score_t3892511509 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; // UnityEngine.SocialPlatforms.IScore[] struct IScoreU5BU5D_t2900809688 : 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); } }; // System.Char[] struct CharU5BU5D_t1671368807 : 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_t1179451035 : public RuntimeArray { public: ALIGN_FIELD (8) ParameterInfo_t2527786478 * m_Items[1]; public: inline ParameterInfo_t2527786478 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ParameterInfo_t2527786478 ** 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_t2527786478 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } inline ParameterInfo_t2527786478 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ParameterInfo_t2527786478 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ParameterInfo_t2527786478 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier(m_Items + index, value); } }; extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke(const TextGenerationSettings_t987435647& unmarshaled, TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled); extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke_back(const TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled, TextGenerationSettings_t987435647& unmarshaled); extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke_cleanup(TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled); extern "C" void TextGenerationSettings_t987435647_marshal_com(const TextGenerationSettings_t987435647& unmarshaled, TextGenerationSettings_t987435647_marshaled_com& marshaled); extern "C" void TextGenerationSettings_t987435647_marshal_com_back(const TextGenerationSettings_t987435647_marshaled_com& marshaled, TextGenerationSettings_t987435647& unmarshaled); extern "C" void TextGenerationSettings_t987435647_marshal_com_cleanup(TextGenerationSettings_t987435647_marshaled_com& marshaled); // System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>::Invoke(T0,T1) extern "C" void UnityAction_2_Invoke_m3477131479_gshared (UnityAction_2_t324713334 * __this, Scene_t2427896891 p0, int32_t p1, const RuntimeMethod* method); // System.Void UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>::Invoke(T0) extern "C" void UnityAction_1_Invoke_m2798480181_gshared (UnityAction_1_t1759667896 * __this, Scene_t2427896891 p0, const RuntimeMethod* method); // System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>::Invoke(T0,T1) extern "C" void UnityAction_2_Invoke_m967090385_gshared (UnityAction_2_t2810360728 * __this, Scene_t2427896891 p0, Scene_t2427896891 p1, const RuntimeMethod* method); // T UnityEngine.Component::GetComponent<System.Object>() extern "C" RuntimeObject * Component_GetComponent_TisRuntimeObject_m3388665818_gshared (Component_t1099781993 * __this, const RuntimeMethod* method); // System.Void System.Action`1<System.Object>::Invoke(!0) extern "C" void Action_1_Invoke_m2972711404_gshared (Action_1_t4053461524 * __this, RuntimeObject * p0, const RuntimeMethod* method); // System.Void System.Action`2<System.Boolean,System.Object>::Invoke(!0,!1) extern "C" void Action_2_Invoke_m1966991320_gshared (Action_2_t617342774 * __this, bool p0, RuntimeObject * p1, const RuntimeMethod* method); // System.Void System.Action`1<System.Boolean>::Invoke(!0) extern "C" void Action_1_Invoke_m1133068632_gshared (Action_1_t1048568049 * __this, bool p0, const RuntimeMethod* method); // System.Void System.Action`2<System.Boolean,System.Object>::.ctor(System.Object,System.IntPtr) extern "C" void Action_2__ctor_m522929939_gshared (Action_2_t617342774 * __this, RuntimeObject * p0, IntPtr_t p1, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1<System.Object>::Add(!0) extern "C" void List_1_Add_m2552133845_gshared (List_1_t2372530200 * __this, RuntimeObject * p0, const RuntimeMethod* method); // System.Collections.Generic.List`1/Enumerator<!0> System.Collections.Generic.List`1<System.Object>::GetEnumerator() extern "C" Enumerator_t1293129085 List_1_GetEnumerator_m2990985125_gshared (List_1_t2372530200 * __this, const RuntimeMethod* method); // !0 System.Collections.Generic.List`1/Enumerator<System.Object>::get_Current() extern "C" RuntimeObject * Enumerator_get_Current_m2728699400_gshared (Enumerator_t1293129085 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Object>::MoveNext() extern "C" bool Enumerator_MoveNext_m2388649740_gshared (Enumerator_t1293129085 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::Dispose() extern "C" void Enumerator_Dispose_m3301160471_gshared (Enumerator_t1293129085 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1<System.Object>::.ctor() extern "C" void List_1__ctor_m2158035831_gshared (List_1_t2372530200 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1<UnityEngine.UIVertex>::.ctor(System.Int32) extern "C" void List_1__ctor_m3052573227_gshared (List_1_t2822604285 * __this, int32_t p0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1<UnityEngine.UICharInfo>::.ctor(System.Int32) extern "C" void List_1__ctor_m252818309_gshared (List_1_t1760015106 * __this, int32_t p0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1<UnityEngine.UILineInfo>::.ctor(System.Int32) extern "C" void List_1__ctor_m1538939669_gshared (List_1_t4059619465 * __this, int32_t p0, const RuntimeMethod* method); // System.Void System.Action`1<System.Object>::.ctor(System.Object,System.IntPtr) extern "C" void Action_1__ctor_m1712099563_gshared (Action_1_t4053461524 * __this, RuntimeObject * p0, IntPtr_t p1, const RuntimeMethod* method); // UnityEngine.Vector2 UnityEngine.RaycastHit2D::get_point() extern "C" Vector2_t1870731928 RaycastHit2D_get_point_m1467168765 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RaycastHit2D::get_normal() extern "C" Vector2_t1870731928 RaycastHit2D_get_normal_m2557110174 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.RaycastHit2D::get_distance() extern "C" float RaycastHit2D_get_distance_m1805416367 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Collider2D UnityEngine.RaycastHit2D::get_collider() extern "C" Collider2D_t1683084049 * RaycastHit2D_get_collider_m2885521487 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::.ctor(System.Single,System.Single,System.Single,System.Single) extern "C" void Rect__ctor_m2244089803 (Rect_t2469536665 * __this, float ___x0, float ___y1, float ___width2, float ___height3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_x() extern "C" float Rect_get_x_m3057964883 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_x(System.Single) extern "C" void Rect_set_x_m3567570991 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_y() extern "C" float Rect_get_y_m1036027857 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_y(System.Single) extern "C" void Rect_set_y_m2998956114 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Vector2::.ctor(System.Single,System.Single) extern "C" void Vector2__ctor_m3849347166 (Vector2_t1870731928 * __this, float ___x0, float ___y1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Rect::get_position() extern "C" Vector2_t1870731928 Rect_get_position_m128433378 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Rect::get_center() extern "C" Vector2_t1870731928 Rect_get_center_m4127654837 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_xMin() extern "C" float Rect_get_xMin_m1276546745 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_yMin() extern "C" float Rect_get_yMin_m1112836090 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Rect::get_min() extern "C" Vector2_t1870731928 Rect_get_min_m406302797 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_xMax() extern "C" float Rect_get_xMax_m198616324 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_yMax() extern "C" float Rect_get_yMax_m173172558 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Rect::get_max() extern "C" Vector2_t1870731928 Rect_get_max_m535707399 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_width() extern "C" float Rect_get_width_m3141255656 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_width(System.Single) extern "C" void Rect_set_width_m1967798254 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Rect::get_height() extern "C" float Rect_get_height_m931612414 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_height(System.Single) extern "C" void Rect_set_height_m1169399332 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Rect::get_size() extern "C" Vector2_t1870731928 Rect_get_size_m2360351274 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_xMin(System.Single) extern "C" void Rect_set_xMin_m3596863663 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_yMin(System.Single) extern "C" void Rect_set_yMin_m4093517104 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_xMax(System.Single) extern "C" void Rect_set_xMax_m635899624 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Rect::set_yMax(System.Single) extern "C" void Rect_set_yMax_m3735668559 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::Contains(UnityEngine.Vector2) extern "C" bool Rect_Contains_m2145098890 (Rect_t2469536665 * __this, Vector2_t1870731928 ___point0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::Contains(UnityEngine.Vector3) extern "C" bool Rect_Contains_m2517822239 (Rect_t2469536665 * __this, Vector3_t1874995928 ___point0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::Overlaps(UnityEngine.Rect) extern "C" bool Rect_Overlaps_m3921722355 (Rect_t2469536665 * __this, Rect_t2469536665 ___other0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Rect UnityEngine.Rect::OrderMinMax(UnityEngine.Rect) extern "C" Rect_t2469536665 Rect_OrderMinMax_m54100182 (RuntimeObject * __this /* static, unused */, Rect_t2469536665 ___rect0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::Overlaps(UnityEngine.Rect,System.Boolean) extern "C" bool Rect_Overlaps_m2450581157 (Rect_t2469536665 * __this, Rect_t2469536665 ___other0, bool ___allowInverse1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::op_Equality(UnityEngine.Rect,UnityEngine.Rect) extern "C" bool Rect_op_Equality_m2349382246 (RuntimeObject * __this /* static, unused */, Rect_t2469536665 ___lhs0, Rect_t2469536665 ___rhs1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.Single::GetHashCode() extern "C" int32_t Single_GetHashCode_m718602026 (float* __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Rect::GetHashCode() extern "C" int32_t Rect_GetHashCode_m639574526 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.Single::Equals(System.Single) extern "C" bool Single_Equals_m3359459239 (float* __this, float p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Rect::Equals(System.Object) extern "C" bool Rect_Equals_m3702227355 (Rect_t2469536665 * __this, RuntimeObject * ___other0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.UnityString::Format(System.String,System.Object[]) extern "C" String_t* UnityString_Format_m2555702215 (RuntimeObject * __this /* static, unused */, String_t* ___fmt0, ObjectU5BU5D_t846638089* ___args1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.Rect::ToString() extern "C" String_t* Rect_ToString_m2781561511 (Rect_t2469536665 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Object::.ctor() extern "C" void Object__ctor_m3741171996 (RuntimeObject * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectOffset::Init() extern "C" void RectOffset_Init_m3753251820 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectOffset::Cleanup() extern "C" void RectOffset_Cleanup_m2222733547 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Object::Finalize() extern "C" void Object_Finalize_m4018844832 (RuntimeObject * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RectOffset::get_left() extern "C" int32_t RectOffset_get_left_m3614847463 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RectOffset::get_right() extern "C" int32_t RectOffset_get_right_m1128241367 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RectOffset::get_top() extern "C" int32_t RectOffset_get_top_m130561850 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RectOffset::get_bottom() extern "C" int32_t RectOffset_get_bottom_m2697303132 (RectOffset_t603374043 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_rect(UnityEngine.Rect&) extern "C" void RectTransform_INTERNAL_get_rect_m3765354181 (RectTransform_t3407578435 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_anchorMin(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchorMin_m4074564332 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_set_anchorMin(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchorMin_m4252666146 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_anchorMax(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchorMax_m558339683 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_set_anchorMax(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchorMax_m2193655500 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_anchoredPosition(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchoredPosition_m2060521822 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_set_anchoredPosition(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchoredPosition_m3873542509 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_sizeDelta(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_sizeDelta_m2771981222 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_set_sizeDelta(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_sizeDelta_m4011499190 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_get_pivot(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_pivot_m942899449 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::INTERNAL_set_pivot(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_pivot_m3013287930 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Delegate System.Delegate::Combine(System.Delegate,System.Delegate) extern "C" Delegate_t321273466 * Delegate_Combine_m3098582791 (RuntimeObject * __this /* static, unused */, Delegate_t321273466 * p0, Delegate_t321273466 * p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Delegate System.Delegate::Remove(System.Delegate,System.Delegate) extern "C" Delegate_t321273466 * Delegate_Remove_m3238456979 (RuntimeObject * __this /* static, unused */, Delegate_t321273466 * p0, Delegate_t321273466 * p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform/ReapplyDrivenProperties::Invoke(UnityEngine.RectTransform) extern "C" void ReapplyDrivenProperties_Invoke_m1674576935 (ReapplyDrivenProperties_t176550961 * __this, RectTransform_t3407578435 * ___driven0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Debug::LogError(System.Object) extern "C" void Debug_LogError_m4283079280 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___message0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Rect UnityEngine.RectTransform::get_rect() extern "C" Rect_t2469536665 RectTransform_get_rect_m610423680 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Vector3::.ctor(System.Single,System.Single,System.Single) extern "C" void Vector3__ctor_m3100708551 (Vector3_t1874995928 * __this, float ___x0, float ___y1, float ___z2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::GetLocalCorners(UnityEngine.Vector3[]) extern "C" void RectTransform_GetLocalCorners_m2199595827 (RectTransform_t3407578435 * __this, Vector3U5BU5D_t4045887177* ___fourCornersArray0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Transform UnityEngine.Component::get_transform() extern "C" Transform_t1640584944 * Component_get_transform_m2528570676 (Component_t1099781993 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Transform::TransformPoint(UnityEngine.Vector3) extern "C" Vector3_t1874995928 Transform_TransformPoint_m348817994 (Transform_t1640584944 * __this, Vector3_t1874995928 ___position0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchoredPosition() extern "C" Vector2_t1870731928 RectTransform_get_anchoredPosition_m3119073917 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::get_sizeDelta() extern "C" Vector2_t1870731928 RectTransform_get_sizeDelta_m3538854401 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::get_pivot() extern "C" Vector2_t1870731928 RectTransform_get_pivot_m3853786190 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::Scale(UnityEngine.Vector2,UnityEngine.Vector2) extern "C" Vector2_t1870731928 Vector2_Scale_m191589513 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___a0, Vector2_t1870731928 ___b1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::op_Subtraction(UnityEngine.Vector2,UnityEngine.Vector2) extern "C" Vector2_t1870731928 Vector2_op_Subtraction_m374821038 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___a0, Vector2_t1870731928 ___b1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::set_sizeDelta(UnityEngine.Vector2) extern "C" void RectTransform_set_sizeDelta_m1899433482 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::get_one() extern "C" Vector2_t1870731928 Vector2_get_one_m4252096033 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::op_Addition(UnityEngine.Vector2,UnityEngine.Vector2) extern "C" Vector2_t1870731928 Vector2_op_Addition_m2319234471 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___a0, Vector2_t1870731928 ___b1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::set_anchoredPosition(UnityEngine.Vector2) extern "C" void RectTransform_set_anchoredPosition_m4128631896 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMin() extern "C" Vector2_t1870731928 RectTransform_get_anchorMin_m3441161050 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Vector2::set_Item(System.Int32,System.Single) extern "C" void Vector2_set_Item_m3135618009 (Vector2_t1870731928 * __this, int32_t ___index0, float ___value1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::set_anchorMin(UnityEngine.Vector2) extern "C" void RectTransform_set_anchorMin_m274625697 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMax() extern "C" Vector2_t1870731928 RectTransform_get_anchorMax_m4218642556 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::set_anchorMax(UnityEngine.Vector2) extern "C" void RectTransform_set_anchorMax_m2367371922 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Vector2::get_Item(System.Int32) extern "C" float Vector2_get_Item_m1751239516 (Vector2_t1870731928 * __this, int32_t ___index0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransform::GetParentSize() extern "C" Vector2_t1870731928 RectTransform_GetParentSize_m618469586 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Transform UnityEngine.Transform::get_parent() extern "C" Transform_t1640584944 * Transform_get_parent_m585142793 (Transform_t1640584944 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Object::op_Implicit(UnityEngine.Object) extern "C" bool Object_op_Implicit_m2672474059 (RuntimeObject * __this /* static, unused */, Object_t1699899486 * ___exists0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::get_zero() extern "C" Vector2_t1870731928 Vector2_get_zero_m3917677115 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Vector2::op_Implicit(UnityEngine.Vector2) extern "C" Vector3_t1874995928 Vector2_op_Implicit_m839025256 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___v0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Ray UnityEngine.RectTransformUtility::ScreenPointToRay(UnityEngine.Camera,UnityEngine.Vector2) extern "C" Ray_t1507008441 RectTransformUtility_ScreenPointToRay_m3254631918 (RuntimeObject * __this /* static, unused */, Camera_t2217315075 * ___cam0, Vector2_t1870731928 ___screenPos1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Quaternion UnityEngine.Transform::get_rotation() extern "C" Quaternion_t1904711730 Transform_get_rotation_m1622360028 (Transform_t1640584944 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Vector3::get_back() extern "C" Vector3_t1874995928 Vector3_get_back_m1667810044 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Quaternion::op_Multiply(UnityEngine.Quaternion,UnityEngine.Vector3) extern "C" Vector3_t1874995928 Quaternion_op_Multiply_m381074051 (RuntimeObject * __this /* static, unused */, Quaternion_t1904711730 ___rotation0, Vector3_t1874995928 ___point1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Transform::get_position() extern "C" Vector3_t1874995928 Transform_get_position_m2613145496 (Transform_t1640584944 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Plane::.ctor(UnityEngine.Vector3,UnityEngine.Vector3) extern "C" void Plane__ctor_m1624649064 (Plane_t3293887620 * __this, Vector3_t1874995928 ___inNormal0, Vector3_t1874995928 ___inPoint1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Plane::Raycast(UnityEngine.Ray,System.Single&) extern "C" bool Plane_Raycast_m2203697554 (Plane_t3293887620 * __this, Ray_t1507008441 ___ray0, float* ___enter1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Ray::GetPoint(System.Single) extern "C" Vector3_t1874995928 Ray_GetPoint_m154135282 (Ray_t1507008441 * __this, float ___distance0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.RectTransformUtility::ScreenPointToWorldPointInRectangle(UnityEngine.RectTransform,UnityEngine.Vector2,UnityEngine.Camera,UnityEngine.Vector3&) extern "C" bool RectTransformUtility_ScreenPointToWorldPointInRectangle_m2138441022 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 ___screenPoint1, Camera_t2217315075 * ___cam2, Vector3_t1874995928 * ___worldPoint3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Transform::InverseTransformPoint(UnityEngine.Vector3) extern "C" Vector3_t1874995928 Transform_InverseTransformPoint_m2060286796 (Transform_t1640584944 * __this, Vector3_t1874995928 ___position0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Vector2::op_Implicit(UnityEngine.Vector3) extern "C" Vector2_t1870731928 Vector2_op_Implicit_m2561097373 (RuntimeObject * __this /* static, unused */, Vector3_t1874995928 ___v0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Object::op_Inequality(UnityEngine.Object,UnityEngine.Object) extern "C" bool Object_op_Inequality_m3066781294 (RuntimeObject * __this /* static, unused */, Object_t1699899486 * ___x0, Object_t1699899486 * ___y1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Ray UnityEngine.Camera::ScreenPointToRay(UnityEngine.Vector3) extern "C" Ray_t1507008441 Camera_ScreenPointToRay_m3494657524 (Camera_t2217315075 * __this, Vector3_t1874995928 ___position0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Vector3::get_forward() extern "C" Vector3_t1874995928 Vector3_get_forward_m994294507 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Ray::.ctor(UnityEngine.Vector3,UnityEngine.Vector3) extern "C" void Ray__ctor_m2316118450 (Ray_t1507008441 * __this, Vector3_t1874995928 ___origin0, Vector3_t1874995928 ___direction1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Object::op_Equality(UnityEngine.Object,UnityEngine.Object) extern "C" bool Object_op_Equality_m2782127541 (RuntimeObject * __this /* static, unused */, Object_t1699899486 * ___x0, Object_t1699899486 * ___y1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Transform UnityEngine.Transform::GetChild(System.Int32) extern "C" Transform_t1640584944 * Transform_GetChild_m1738839666 (Transform_t1640584944 * __this, int32_t ___index0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransformUtility::FlipLayoutOnAxis(UnityEngine.RectTransform,System.Int32,System.Boolean,System.Boolean) extern "C" void RectTransformUtility_FlipLayoutOnAxis_m2556600855 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, int32_t ___axis1, bool ___keepPositioning2, bool ___recursive3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Transform::get_childCount() extern "C" int32_t Transform_get_childCount_m4085376495 (Transform_t1640584944 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransform::set_pivot(UnityEngine.Vector2) extern "C" void RectTransform_set_pivot_m1507889694 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransformUtility::FlipLayoutAxes(UnityEngine.RectTransform,System.Boolean,System.Boolean) extern "C" void RectTransformUtility_FlipLayoutAxes_m7419031 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, bool ___keepPositioning1, bool ___recursive2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.RectTransformUtility::GetTransposed(UnityEngine.Vector2) extern "C" Vector2_t1870731928 RectTransformUtility_GetTransposed_m2516868079 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___input0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.RectTransformUtility::INTERNAL_CALL_RectangleContainsScreenPoint(UnityEngine.RectTransform,UnityEngine.Vector2&,UnityEngine.Camera) extern "C" bool RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 * ___screenPoint1, Camera_t2217315075 * ___cam2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustPoint(UnityEngine.Vector2&,UnityEngine.Transform,UnityEngine.Canvas,UnityEngine.Vector2&) extern "C" void RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 * ___point0, Transform_t1640584944 * ___elementTransform1, Canvas_t3766332218 * ___canvas2, Vector2_t1870731928 * ___value3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustRect(UnityEngine.RectTransform,UnityEngine.Canvas,UnityEngine.Rect&) extern "C" void RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rectTransform0, Canvas_t3766332218 * ___canvas1, Rect_t2469536665 * ___value2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.RemoteSettings/UpdatedEventHandler::Invoke() extern "C" void UpdatedEventHandler_Invoke_m843251864 (UpdatedEventHandler_t4030213559 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RenderTexture::Internal_GetWidth(UnityEngine.RenderTexture) extern "C" int32_t RenderTexture_Internal_GetWidth_m4153549568 (RuntimeObject * __this /* static, unused */, RenderTexture_t20074727 * ___mono0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.RenderTexture::Internal_GetHeight(UnityEngine.RenderTexture) extern "C" int32_t RenderTexture_Internal_GetHeight_m3574274079 (RuntimeObject * __this /* static, unused */, RenderTexture_t20074727 * ___mono0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Attribute::.ctor() extern "C" void Attribute__ctor_m313611981 (Attribute_t3000105177 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.AsyncOperation::.ctor() extern "C" void AsyncOperation__ctor_m1889712456 (AsyncOperation_t1471752968 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Object UnityEngine.Resources::Load(System.String,System.Type) extern "C" Object_t1699899486 * Resources_Load_m1768650614 (RuntimeObject * __this /* static, unused */, String_t* ___path0, Type_t * ___systemTypeInstance1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.SceneManagement.Scene::get_handle() extern "C" int32_t Scene_get_handle_m261370616 (Scene_t2427896891 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.SceneManagement.Scene::GetHashCode() extern "C" int32_t Scene_GetHashCode_m2152023469 (Scene_t2427896891 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SceneManagement.Scene::Equals(System.Object) extern "C" bool Scene_Equals_m1172862761 (Scene_t2427896891 * __this, RuntimeObject * ___other0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SceneManagement.SceneManager::LoadScene(System.String,UnityEngine.SceneManagement.LoadSceneMode) extern "C" void SceneManager_LoadScene_m592335891 (RuntimeObject * __this /* static, unused */, String_t* ___sceneName0, int32_t ___mode1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal(System.String,System.Int32,System.Boolean,System.Boolean) extern "C" AsyncOperation_t1471752968 * SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011 (RuntimeObject * __this /* static, unused */, String_t* ___sceneName0, int32_t ___sceneBuildIndex1, bool ___isAdditive2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>::Invoke(T0,T1) #define UnityAction_2_Invoke_m3477131479(__this, p0, p1, method) (( void (*) (UnityAction_2_t324713334 *, Scene_t2427896891 , int32_t, const RuntimeMethod*))UnityAction_2_Invoke_m3477131479_gshared)(__this, p0, p1, method) // System.Void UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>::Invoke(T0) #define UnityAction_1_Invoke_m2798480181(__this, p0, method) (( void (*) (UnityAction_1_t1759667896 *, Scene_t2427896891 , const RuntimeMethod*))UnityAction_1_Invoke_m2798480181_gshared)(__this, p0, method) // System.Void UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>::Invoke(T0,T1) #define UnityAction_2_Invoke_m967090385(__this, p0, p1, method) (( void (*) (UnityAction_2_t2810360728 *, Scene_t2427896891 , Scene_t2427896891 , const RuntimeMethod*))UnityAction_2_Invoke_m967090385_gshared)(__this, p0, p1, method) // System.Void UnityEngine.Object::.ctor() extern "C" void Object__ctor_m3590831833 (Object_t1699899486 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.ScriptableObject::Internal_CreateScriptableObject(UnityEngine.ScriptableObject) extern "C" void ScriptableObject_Internal_CreateScriptableObject_m4292382641 (RuntimeObject * __this /* static, unused */, ScriptableObject_t3476656374 * ___self0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstanceFromType(System.Type) extern "C" ScriptableObject_t3476656374 * ScriptableObject_CreateInstanceFromType_m702009406 (RuntimeObject * __this /* static, unused */, Type_t * ___type0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_Namespace(System.String) extern "C" void MovedFromAttribute_set_Namespace_m4172378220 (MovedFromAttribute_t3568563588 * __this, String_t* ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_IsInDifferentAssembly(System.Boolean) extern "C" void MovedFromAttribute_set_IsInDifferentAssembly_m444845717 (MovedFromAttribute_t3568563588 * __this, bool ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Input::get_mousePosition() extern "C" Vector3_t1874995928 Input_get_mousePosition_m1054542597 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Camera::get_allCamerasCount() extern "C" int32_t Camera_get_allCamerasCount_m3767501033 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Camera::GetAllCameras(UnityEngine.Camera[]) extern "C" int32_t Camera_GetAllCameras_m949248155 (RuntimeObject * __this /* static, unused */, CameraU5BU5D_t1852821906* ___cameras0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.RenderTexture UnityEngine.Camera::get_targetTexture() extern "C" RenderTexture_t20074727 * Camera_get_targetTexture_m3090858759 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Rect UnityEngine.Camera::get_pixelRect() extern "C" Rect_t2469536665 Camera_get_pixelRect_m2286923801 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // T UnityEngine.Component::GetComponent<UnityEngine.GUILayer>() #define Component_GetComponent_TisGUILayer_t1038811396_m2215024115(__this, method) (( GUILayer_t1038811396 * (*) (Component_t1099781993 *, const RuntimeMethod*))Component_GetComponent_TisRuntimeObject_m3388665818_gshared)(__this, method) // UnityEngine.GUIElement UnityEngine.GUILayer::HitTest(UnityEngine.Vector3) extern "C" GUIElement_t3542088430 * GUILayer_HitTest_m2956015084 (GUILayer_t1038811396 * __this, Vector3_t1874995928 ___screenPosition0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.GameObject UnityEngine.Component::get_gameObject() extern "C" GameObject_t1817748288 * Component_get_gameObject_m707642590 (Component_t1099781993 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Camera::get_eventMask() extern "C" int32_t Camera_get_eventMask_m4276045657 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector3 UnityEngine.Ray::get_direction() extern "C" Vector3_t1874995928 Ray_get_direction_m1260682127 (Ray_t1507008441 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Mathf::Approximately(System.Single,System.Single) extern "C" bool Mathf_Approximately_m3919398333 (RuntimeObject * __this /* static, unused */, float ___a0, float ___b1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Camera::get_farClipPlane() extern "C" float Camera_get_farClipPlane_m3629941765 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Camera::get_nearClipPlane() extern "C" float Camera_get_nearClipPlane_m2826306394 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Camera::get_cullingMask() extern "C" int32_t Camera_get_cullingMask_m1972732196 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.GameObject UnityEngine.Camera::RaycastTry(UnityEngine.Ray,System.Single,System.Int32) extern "C" GameObject_t1817748288 * Camera_RaycastTry_m4172453051 (Camera_t2217315075 * __this, Ray_t1507008441 ___ray0, float ___distance1, int32_t ___layerMask2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.CameraClearFlags UnityEngine.Camera::get_clearFlags() extern "C" int32_t Camera_get_clearFlags_m1183877883 (Camera_t2217315075 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.GameObject UnityEngine.Camera::RaycastTry2D(UnityEngine.Ray,System.Single,System.Int32) extern "C" GameObject_t1817748288 * Camera_RaycastTry2D_m2127444716 (Camera_t2217315075 * __this, Ray_t1507008441 ___ray0, float ___distance1, int32_t ___layerMask2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SendMouseEvents::SendEvents(System.Int32,UnityEngine.SendMouseEvents/HitInfo) extern "C" void SendMouseEvents_SendEvents_m2289449225 (RuntimeObject * __this /* static, unused */, int32_t ___i0, HitInfo_t2599499320 ___hit1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Input::GetMouseButtonDown(System.Int32) extern "C" bool Input_GetMouseButtonDown_m633428447 (RuntimeObject * __this /* static, unused */, int32_t ___button0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Input::GetMouseButton(System.Int32) extern "C" bool Input_GetMouseButton_m3999497136 (RuntimeObject * __this /* static, unused */, int32_t ___button0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SendMouseEvents/HitInfo::op_Implicit(UnityEngine.SendMouseEvents/HitInfo) extern "C" bool HitInfo_op_Implicit_m782259180 (RuntimeObject * __this /* static, unused */, HitInfo_t2599499320 ___exists0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SendMouseEvents/HitInfo::SendMessage(System.String) extern "C" void HitInfo_SendMessage_m3114711699 (HitInfo_t2599499320 * __this, String_t* ___name0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SendMouseEvents/HitInfo::Compare(UnityEngine.SendMouseEvents/HitInfo,UnityEngine.SendMouseEvents/HitInfo) extern "C" bool HitInfo_Compare_m1546430160 (RuntimeObject * __this /* static, unused */, HitInfo_t2599499320 ___lhs0, HitInfo_t2599499320 ___rhs1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.GameObject::SendMessage(System.String,System.Object,UnityEngine.SendMessageOptions) extern "C" void GameObject_SendMessage_m1959775640 (GameObject_t1817748288 * __this, String_t* ___methodName0, RuntimeObject * ___value1, int32_t ___options2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.IntPtr::op_Equality(System.IntPtr,System.IntPtr) extern "C" bool IntPtr_op_Equality_m117067793 (RuntimeObject * __this /* static, unused */, IntPtr_t p0, IntPtr_t p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.ArgumentException::.ctor(System.String,System.String) extern "C" void ArgumentException__ctor_m4231514516 (ArgumentException_t2901442306 * __this, String_t* p0, String_t* p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void* System.IntPtr::op_Explicit(System.IntPtr) extern "C" void* IntPtr_op_Explicit_m1758910513 (RuntimeObject * __this /* static, unused */, IntPtr_t p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Type System.Object::GetType() extern "C" Type_t * Object_GetType_m1896300954 (RuntimeObject * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.SkeletonBone::get_transformModified() extern "C" int32_t SkeletonBone_get_transformModified_m3583809016 (SkeletonBone_t223881975 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SkeletonBone::set_transformModified(System.Int32) extern "C" void SkeletonBone_set_transformModified_m39439235 (SkeletonBone_t223881975 * __this, int32_t ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.Impl.AchievementDescription UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::ToAchievementDescription() extern "C" AchievementDescription_t3742507101 * GcAchievementDescriptionData_ToAchievementDescription_m3182921715 (GcAchievementDescriptionData_t1267650014 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Debug::Log(System.Object) extern "C" void Debug_Log_m489411524 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___message0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::SetImage(UnityEngine.Texture2D) extern "C" void AchievementDescription_SetImage_m779714181 (AchievementDescription_t3742507101 * __this, Texture2D_t4076404164 * ___image0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<UnityEngine.SocialPlatforms.IAchievementDescription[]>::Invoke(!0) #define Action_1_Invoke_m2746668395(__this, p0, method) (( void (*) (Action_1_t2750265789 *, IAchievementDescriptionU5BU5D_t4125941313*, const RuntimeMethod*))Action_1_Invoke_m2972711404_gshared)(__this, p0, method) // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::PopulateLocalUser() extern "C" void GameCenterPlatform_PopulateLocalUser_m3719370520 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`2<System.Boolean,System.String>::Invoke(!0,!1) #define Action_2_Invoke_m1128856205(__this, p0, p1, method) (( void (*) (Action_2_t4026259155 *, bool, String_t*, const RuntimeMethod*))Action_2_Invoke_m1966991320_gshared)(__this, p0, p1, method) // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SafeClearArray(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,System.Int32) extern "C" void GameCenterPlatform_SafeClearArray_m43097675 (RuntimeObject * __this /* static, unused */, UserProfileU5BU5D_t1816242286** ___array0, int32_t ___size1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::AddToArray(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,System.Int32) extern "C" void GcUserProfileData_AddToArray_m2546734469 (GcUserProfileData_t442346949 * __this, UserProfileU5BU5D_t1816242286** ___array0, int32_t ___number1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SafeSetUserImage(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,UnityEngine.Texture2D,System.Int32) extern "C" void GameCenterPlatform_SafeSetUserImage_m3739650778 (RuntimeObject * __this /* static, unused */, UserProfileU5BU5D_t1816242286** ___array0, Texture2D_t4076404164 * ___texture1, int32_t ___number2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetFriends(UnityEngine.SocialPlatforms.IUserProfile[]) extern "C" void LocalUser_SetFriends_m2322591960 (LocalUser_t3045384341 * __this, IUserProfileU5BU5D_t3837827452* ___friends0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<System.Boolean>::Invoke(!0) #define Action_1_Invoke_m1133068632(__this, p0, method) (( void (*) (Action_1_t1048568049 *, bool, const RuntimeMethod*))Action_1_Invoke_m1133068632_gshared)(__this, p0, method) // UnityEngine.SocialPlatforms.Impl.Achievement UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::ToAchievement() extern "C" Achievement_t4251433276 * GcAchievementData_ToAchievement_m2864824249 (GcAchievementData_t985292318 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<UnityEngine.SocialPlatforms.IAchievement[]>::Invoke(!0) #define Action_1_Invoke_m910388323(__this, p0, method) (( void (*) (Action_1_t1823282900 *, IAchievementU5BU5D_t3198958424*, const RuntimeMethod*))Action_1_Invoke_m2972711404_gshared)(__this, p0, method) // UnityEngine.SocialPlatforms.Impl.Score UnityEngine.SocialPlatforms.GameCenter.GcScoreData::ToScore() extern "C" Score_t3892511509 * GcScoreData_ToScore_m698126957 (GcScoreData_t2742962091 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<UnityEngine.SocialPlatforms.IScore[]>::Invoke(!0) #define Action_1_Invoke_m2015132353(__this, p0, method) (( void (*) (Action_1_t1525134164 *, IScoreU5BU5D_t2900809688*, const RuntimeMethod*))Action_1_Invoke_m2972711404_gshared)(__this, p0, method) // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::VerifyAuthentication() extern "C" bool GameCenterPlatform_VerifyAuthentication_m1144857153 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadFriends(System.Object) extern "C" void GameCenterPlatform_Internal_LoadFriends_m932199888 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0::.ctor() extern "C" void U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0__ctor_m4021280224 (U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`2<System.Boolean,System.String>::.ctor(System.Object,System.IntPtr) #define Action_2__ctor_m3583425613(__this, p0, p1, method) (( void (*) (Action_2_t4026259155 *, RuntimeObject *, IntPtr_t, const RuntimeMethod*))Action_2__ctor_m522929939_gshared)(__this, p0, p1, method) // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticate() extern "C" void GameCenterPlatform_Internal_Authenticate_m2022873838 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::.ctor() extern "C" void LocalUser__ctor_m2973983157 (LocalUser_t3045384341 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticated() extern "C" bool GameCenterPlatform_Internal_Authenticated_m2832582798 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::get_id() extern "C" String_t* UserProfile_get_id_m3867465340 (UserProfile_t778432599 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.String::op_Equality(System.String,System.String) extern "C" bool String_op_Equality_m3093862454 (RuntimeObject * __this /* static, unused */, String_t* p0, String_t* p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetAuthenticated(System.Boolean) extern "C" void LocalUser_SetAuthenticated_m3708139892 (LocalUser_t3045384341 * __this, bool ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserName() extern "C" String_t* GameCenterPlatform_Internal_UserName_m4038486503 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetUserName(System.String) extern "C" void UserProfile_SetUserName_m1716671898 (UserProfile_t778432599 * __this, String_t* ___name0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserID() extern "C" String_t* GameCenterPlatform_Internal_UserID_m1170234972 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetUserID(System.String) extern "C" void UserProfile_SetUserID_m3997189040 (UserProfile_t778432599 * __this, String_t* ___id0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Underage() extern "C" bool GameCenterPlatform_Internal_Underage_m407317109 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetUnderage(System.Boolean) extern "C" void LocalUser_SetUnderage_m3277572022 (LocalUser_t3045384341 * __this, bool ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Texture2D UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserImage() extern "C" Texture2D_t4076404164 * GameCenterPlatform_Internal_UserImage_m2374329793 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetImage(UnityEngine.Texture2D) extern "C" void UserProfile_SetImage_m1603917329 (UserProfile_t778432599 * __this, Texture2D_t4076404164 * ___image0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievementDescriptions(System.Object) extern "C" void GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportProgress(System.String,System.Double,System.Object) extern "C" void GameCenterPlatform_Internal_ReportProgress_m3287681582 (RuntimeObject * __this /* static, unused */, String_t* ___id0, double ___progress1, RuntimeObject * ___callback2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievements(System.Object) extern "C" void GameCenterPlatform_Internal_LoadAchievements_m3544382392 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportScore(System.Int64,System.String,System.Object) extern "C" void GameCenterPlatform_Internal_ReportScore_m3990657435 (RuntimeObject * __this /* static, unused */, int64_t ___score0, String_t* ___category1, RuntimeObject * ___callback2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadScores(System.String,System.Object) extern "C" void GameCenterPlatform_Internal_LoadScores_m1358668026 (RuntimeObject * __this /* static, unused */, String_t* ___category0, RuntimeObject * ___callback1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::.ctor(UnityEngine.SocialPlatforms.Impl.Leaderboard) extern "C" void GcLeaderboard__ctor_m4147630305 (GcLeaderboard_t1548357845 * __this, Leaderboard_t1235456057 * ___board0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::Add(!0) #define List_1_Add_m1533241721(__this, p0, method) (( void (*) (List_1_t2786718293 *, GcLeaderboard_t1548357845 *, const RuntimeMethod*))List_1_Add_m2552133845_gshared)(__this, p0, method) // System.String[] UnityEngine.SocialPlatforms.Impl.Leaderboard::GetUserFilter() extern "C" StringU5BU5D_t2238447960* Leaderboard_GetUserFilter_m1857492805 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Internal_LoadScores(System.String,System.Int32,System.Int32,System.String[],System.Int32,System.Int32,System.Object) extern "C" void GcLeaderboard_Internal_LoadScores_m684862826 (GcLeaderboard_t1548357845 * __this, String_t* ___category0, int32_t ___from1, int32_t ___count2, StringU5BU5D_t2238447960* ___userIDs3, int32_t ___playerScope4, int32_t ___timeScope5, RuntimeObject * ___callback6, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Collections.Generic.List`1/Enumerator<!0> System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::GetEnumerator() #define List_1_GetEnumerator_m3771643728(__this, method) (( Enumerator_t1707317178 (*) (List_1_t2786718293 *, const RuntimeMethod*))List_1_GetEnumerator_m2990985125_gshared)(__this, method) // !0 System.Collections.Generic.List`1/Enumerator<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::get_Current() #define Enumerator_get_Current_m40059937(__this, method) (( GcLeaderboard_t1548357845 * (*) (Enumerator_t1707317178 *, const RuntimeMethod*))Enumerator_get_Current_m2728699400_gshared)(__this, method) // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Contains(UnityEngine.SocialPlatforms.Impl.Leaderboard) extern "C" bool GcLeaderboard_Contains_m2901080927 (GcLeaderboard_t1548357845 * __this, Leaderboard_t1235456057 * ___board0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Loading() extern "C" bool GcLeaderboard_Loading_m2772452652 (GcLeaderboard_t1548357845 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.Collections.Generic.List`1/Enumerator<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::MoveNext() #define Enumerator_MoveNext_m3737903147(__this, method) (( bool (*) (Enumerator_t1707317178 *, const RuntimeMethod*))Enumerator_MoveNext_m2388649740_gshared)(__this, method) // System.Void System.Collections.Generic.List`1/Enumerator<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::Dispose() #define Enumerator_Dispose_m4104499181(__this, method) (( void (*) (Enumerator_t1707317178 *, const RuntimeMethod*))Enumerator_Dispose_m3301160471_gshared)(__this, method) // UnityEngine.SocialPlatforms.ILocalUser UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::get_localUser() extern "C" RuntimeObject* GameCenterPlatform_get_localUser_m2938302122 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowAchievementsUI() extern "C" void GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowLeaderboardUI() extern "C" void GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<UnityEngine.SocialPlatforms.IUserProfile[]>::Invoke(!0) #define Action_1_Invoke_m2629015408(__this, p0, method) (( void (*) (Action_1_t2462151928 *, IUserProfileU5BU5D_t3837827452*, const RuntimeMethod*))Action_1_Invoke_m2972711404_gshared)(__this, p0, method) // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadUsers(System.String[],System.Object) extern "C" void GameCenterPlatform_Internal_LoadUsers_m2740898252 (RuntimeObject * __this /* static, unused */, StringU5BU5D_t2238447960* ___userIds0, RuntimeObject * ___callback1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Texture2D::.ctor(System.Int32,System.Int32) extern "C" void Texture2D__ctor_m1311730241 (Texture2D_t4076404164 * __this, int32_t ___width0, int32_t ___height1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::.ctor() extern "C" void Leaderboard__ctor_m1837150948 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor() extern "C" void Achievement__ctor_m2586477369 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ResetAllAchievements() extern "C" void GameCenterPlatform_Internal_ResetAllAchievements_m1590957882 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowDefaultAchievementBanner(System.Boolean) extern "C" void GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222 (RuntimeObject * __this /* static, unused */, bool ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowSpecificLeaderboardUI(System.String,System.Int32) extern "C" void GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986 (RuntimeObject * __this /* static, unused */, String_t* ___leaderboardID0, int32_t ___timeScope1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>::.ctor() #define List_1__ctor_m2610310665(__this, method) (( void (*) (List_1_t2786718293 *, const RuntimeMethod*))List_1__ctor_m2158035831_gshared)(__this, method) // System.Void System.DateTime::.ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32,System.Int32) extern "C" void DateTime__ctor_m1438806747 (DateTime_t816944984 * __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) IL2CPP_METHOD_ATTR; // System.DateTime System.DateTime::AddSeconds(System.Double) extern "C" DateTime_t816944984 DateTime_AddSeconds_m3029021279 (DateTime_t816944984 * __this, double p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor(System.String,System.Double,System.Boolean,System.Boolean,System.DateTime) extern "C" void Achievement__ctor_m696578997 (Achievement_t4251433276 * __this, String_t* ___id0, double ___percentCompleted1, bool ___completed2, bool ___hidden3, DateTime_t816944984 ___lastReportedDate4, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::.ctor(System.String,System.String,UnityEngine.Texture2D,System.String,System.String,System.Boolean,System.Int32) extern "C" void AchievementDescription__ctor_m2902436647 (AchievementDescription_t3742507101 * __this, String_t* ___id0, String_t* ___title1, Texture2D_t4076404164 * ___image2, String_t* ___achievedDescription3, String_t* ___unachievedDescription4, bool ___hidden5, int32_t ___points6, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Dispose() extern "C" void GcLeaderboard_Dispose_m1792913871 (GcLeaderboard_t1548357845 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetScores(UnityEngine.SocialPlatforms.IScore[]) extern "C" void Leaderboard_SetScores_m89263222 (Leaderboard_t1235456057 * __this, IScoreU5BU5D_t2900809688* ___scores0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetLocalUserScore(UnityEngine.SocialPlatforms.IScore) extern "C" void Leaderboard_SetLocalUserScore_m4114323490 (Leaderboard_t1235456057 * __this, RuntimeObject* ___score0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetMaxRange(System.UInt32) extern "C" void Leaderboard_SetMaxRange_m370771843 (Leaderboard_t1235456057 * __this, uint32_t ___maxRange0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetTitle(System.String) extern "C" void Leaderboard_SetTitle_m3506897619 (Leaderboard_t1235456057 * __this, String_t* ___title0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Score::.ctor(System.String,System.Int64,System.String,System.DateTime,System.String,System.Int32) extern "C" void Score__ctor_m3756514689 (Score_t3892511509 * __this, String_t* ___leaderboardID0, int64_t ___value1, String_t* ___userID2, DateTime_t816944984 ___date3, String_t* ___formattedValue4, int32_t ___rank5, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::.ctor(System.String,System.String,System.Boolean,UnityEngine.SocialPlatforms.UserState,UnityEngine.Texture2D) extern "C" void UserProfile__ctor_m244032582 (UserProfile_t778432599 * __this, String_t* ___name0, String_t* ___id1, bool ___friend2, int32_t ___state3, Texture2D_t4076404164 * ___image4, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.Impl.UserProfile UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::ToUserProfile() extern "C" UserProfile_t778432599 * GcUserProfileData_ToUserProfile_m1327921777 (GcUserProfileData_t442346949 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::set_id(System.String) extern "C" void Achievement_set_id_m928956625 (Achievement_t4251433276 * __this, String_t* ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::set_percentCompleted(System.Double) extern "C" void Achievement_set_percentCompleted_m205833948 (Achievement_t4251433276 * __this, double ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor(System.String,System.Double) extern "C" void Achievement__ctor_m3303477699 (Achievement_t4251433276 * __this, String_t* ___id0, double ___percent1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.Achievement::get_id() extern "C" String_t* Achievement_get_id_m1511743509 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Double UnityEngine.SocialPlatforms.Impl.Achievement::get_percentCompleted() extern "C" double Achievement_get_percentCompleted_m4241224651 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::get_completed() extern "C" bool Achievement_get_completed_m396200211 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::get_hidden() extern "C" bool Achievement_get_hidden_m3185133102 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.DateTime UnityEngine.SocialPlatforms.Impl.Achievement::get_lastReportedDate() extern "C" DateTime_t816944984 Achievement_get_lastReportedDate_m2439172690 (Achievement_t4251433276 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Concat(System.Object[]) extern "C" String_t* String_Concat_m1272828652 (RuntimeObject * __this /* static, unused */, ObjectU5BU5D_t846638089* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::set_id(System.String) extern "C" void AchievementDescription_set_id_m3476870270 (AchievementDescription_t3742507101 * __this, String_t* ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_id() extern "C" String_t* AchievementDescription_get_id_m2012506865 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_title() extern "C" String_t* AchievementDescription_get_title_m1416265605 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_achievedDescription() extern "C" String_t* AchievementDescription_get_achievedDescription_m2009048951 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_unachievedDescription() extern "C" String_t* AchievementDescription_get_unachievedDescription_m615266897 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_points() extern "C" int32_t AchievementDescription_get_points_m3421879878 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_hidden() extern "C" bool AchievementDescription_get_hidden_m3778119205 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_id(System.String) extern "C" void Leaderboard_set_id_m2071767824 (Leaderboard_t1235456057 * __this, String_t* ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Range::.ctor(System.Int32,System.Int32) extern "C" void Range__ctor_m2551048510 (Range_t566114770 * __this, int32_t ___fromValue0, int32_t ___valueCount1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_range(UnityEngine.SocialPlatforms.Range) extern "C" void Leaderboard_set_range_m1572609674 (Leaderboard_t1235456057 * __this, Range_t566114770 ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_userScope(UnityEngine.SocialPlatforms.UserScope) extern "C" void Leaderboard_set_userScope_m3444257663 (Leaderboard_t1235456057 * __this, int32_t ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_timeScope(UnityEngine.SocialPlatforms.TimeScope) extern "C" void Leaderboard_set_timeScope_m3990583593 (Leaderboard_t1235456057 * __this, int32_t ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Score::.ctor(System.String,System.Int64) extern "C" void Score__ctor_m1186786678 (Score_t3892511509 * __this, String_t* ___leaderboardID0, int64_t ___value1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.Leaderboard::get_id() extern "C" String_t* Leaderboard_get_id_m3108128656 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.Range UnityEngine.SocialPlatforms.Impl.Leaderboard::get_range() extern "C" Range_t566114770 Leaderboard_get_range_m2004097581 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.UserScope UnityEngine.SocialPlatforms.Impl.Leaderboard::get_userScope() extern "C" int32_t Leaderboard_get_userScope_m2940170876 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.TimeScope UnityEngine.SocialPlatforms.Impl.Leaderboard::get_timeScope() extern "C" int32_t Leaderboard_get_timeScope_m3674644012 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::.ctor() extern "C" void UserProfile__ctor_m2569318417 (UserProfile_t778432599 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.DateTime System.DateTime::get_Now() extern "C" DateTime_t816944984 DateTime_get_Now_m453693458 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Score::set_leaderboardID(System.String) extern "C" void Score_set_leaderboardID_m3330714218 (Score_t3892511509 * __this, String_t* ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SocialPlatforms.Impl.Score::set_value(System.Int64) extern "C" void Score_set_value_m3990602134 (Score_t3892511509 * __this, int64_t ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int64 UnityEngine.SocialPlatforms.Impl.Score::get_value() extern "C" int64_t Score_get_value_m3565413471 (Score_t3892511509 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.Score::get_leaderboardID() extern "C" String_t* Score_get_leaderboardID_m3121159623 (Score_t3892511509 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::get_userName() extern "C" String_t* UserProfile_get_userName_m792865578 (UserProfile_t778432599 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.SocialPlatforms.Impl.UserProfile::get_isFriend() extern "C" bool UserProfile_get_isFriend_m492511309 (UserProfile_t778432599 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.SocialPlatforms.UserState UnityEngine.SocialPlatforms.Impl.UserProfile::get_state() extern "C" int32_t UserProfile_get_state_m996517354 (UserProfile_t778432599 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.PropertyAttribute::.ctor() extern "C" void PropertyAttribute__ctor_m3153095945 (PropertyAttribute_t3175850472 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Collider::.ctor() extern "C" void Collider__ctor_m4251485570 (Collider_t997197530 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SphereCollider::INTERNAL_get_center(UnityEngine.Vector3&) extern "C" void SphereCollider_INTERNAL_get_center_m4045384693 (SphereCollider_t2017910708 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.SphereCollider::INTERNAL_set_center(UnityEngine.Vector3&) extern "C" void SphereCollider_INTERNAL_set_center_m384434388 (SphereCollider_t2017910708 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprite::INTERNAL_get_rect(UnityEngine.Rect&) extern "C" void Sprite_INTERNAL_get_rect_m3442401296 (Sprite_t987320674 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprite::INTERNAL_get_textureRect(UnityEngine.Rect&) extern "C" void Sprite_INTERNAL_get_textureRect_m1465506121 (Sprite_t987320674 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprite::INTERNAL_get_border(UnityEngine.Vector4&) extern "C" void Sprite_INTERNAL_get_border_m2605113357 (Sprite_t987320674 * __this, Vector4_t3690795159 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetInnerUV(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetOuterUV(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetPadding(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetPadding_m404983347 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Sprites.DataUtility::Internal_GetMinSize(UnityEngine.Sprite,UnityEngine.Vector2&) extern "C" void DataUtility_Internal_GetMinSize_m3960471362 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector2_t1870731928 * ___output1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Replace(System.String,System.String) extern "C" String_t* String_Replace_m1698983455 (String_t* __this, String_t* p0, String_t* p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Diagnostics.StackTrace::.ctor(System.Int32,System.Boolean) extern "C" void StackTrace__ctor_m3741557266 (StackTrace_t3914800897 * __this, int32_t p0, bool p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.StackTraceUtility::ExtractFormattedStackTrace(System.Diagnostics.StackTrace) extern "C" String_t* StackTraceUtility_ExtractFormattedStackTrace_m1401531514 (RuntimeObject * __this /* static, unused */, StackTrace_t3914800897 * ___stackTrace0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.String::StartsWith(System.String) extern "C" bool String_StartsWith_m2941064351 (String_t* __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.ArgumentException::.ctor(System.String) extern "C" void ArgumentException__ctor_m3381758436 (ArgumentException_t2901442306 * __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.String::get_Length() extern "C" int32_t String_get_Length_m3735197159 (String_t* __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Text.StringBuilder::.ctor(System.Int32) extern "C" void StringBuilder__ctor_m982500891 (StringBuilder_t1873629251 * __this, int32_t p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Concat(System.String,System.String,System.String) extern "C" String_t* String_Concat_m267866829 (RuntimeObject * __this /* static, unused */, String_t* p0, String_t* p1, String_t* p2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Type System.Exception::GetType() extern "C" Type_t * Exception_GetType_m3615832753 (Exception_t4051195559 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Trim() extern "C" String_t* String_Trim_m2068127592 (String_t* __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Concat(System.String,System.String) extern "C" String_t* String_Concat_m1887661844 (RuntimeObject * __this /* static, unused */, String_t* p0, String_t* p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Exception System.Exception::get_InnerException() extern "C" Exception_t4051195559 * Exception_get_InnerException_m2414875065 (Exception_t4051195559 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Concat(System.String,System.String,System.String,System.String) extern "C" String_t* String_Concat_m3984342484 (RuntimeObject * __this /* static, unused */, String_t* p0, String_t* p1, String_t* p2, String_t* p3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Text.StringBuilder System.Text.StringBuilder::Append(System.String) extern "C" StringBuilder_t1873629251 * StringBuilder_Append_m4250686484 (StringBuilder_t1873629251 * __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String[] System.String::Split(System.Char[]) extern "C" StringU5BU5D_t2238447960* String_Split_m989645111 (String_t* __this, CharU5BU5D_t1671368807* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Char System.String::get_Chars(System.Int32) extern "C" Il2CppChar String_get_Chars_m3907276240 (String_t* __this, int32_t p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.StackTraceUtility::IsSystemStacktraceType(System.Object) extern "C" bool StackTraceUtility_IsSystemStacktraceType_m2631224500 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___name0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.String::IndexOf(System.String) extern "C" int32_t String_IndexOf_m2687291480 (String_t* __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Substring(System.Int32,System.Int32) extern "C" String_t* String_Substring_m2672888418 (String_t* __this, int32_t p0, int32_t p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean System.String::EndsWith(System.String) extern "C" bool String_EndsWith_m1677855142 (String_t* __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Remove(System.Int32,System.Int32) extern "C" String_t* String_Remove_m514310941 (String_t* __this, int32_t p0, int32_t p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.String::IndexOf(System.String,System.Int32) extern "C" int32_t String_IndexOf_m3376848454 (String_t* __this, String_t* p0, int32_t p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Replace(System.Char,System.Char) extern "C" String_t* String_Replace_m2078134291 (String_t* __this, Il2CppChar p0, Il2CppChar p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.String::LastIndexOf(System.String) extern "C" int32_t String_LastIndexOf_m1579447971 (String_t* __this, String_t* p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.String::Insert(System.Int32,System.String) extern "C" String_t* String_Insert_m2014102296 (String_t* __this, int32_t p0, String_t* p1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String System.Int32::ToString() extern "C" String_t* Int32_ToString_m3259397468 (int32_t* __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.ScriptableObject::.ctor() extern "C" void ScriptableObject__ctor_m3631352648 (ScriptableObject_t3476656374 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.GUIStyle UnityEngine.GUIStyle::get_none() extern "C" GUIStyle_t350904686 * GUIStyle_get_none_m2146728478 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.GUIContent::.ctor() extern "C" void GUIContent__ctor_m326241931 (GUIContent_t2918791183 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerationSettings::CompareColors(UnityEngine.Color,UnityEngine.Color) extern "C" bool TextGenerationSettings_CompareColors_m149343600 (TextGenerationSettings_t987435647 * __this, Color_t3136506488 ___left0, Color_t3136506488 ___right1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerationSettings::CompareVector2(UnityEngine.Vector2,UnityEngine.Vector2) extern "C" bool TextGenerationSettings_CompareVector2_m3113383972 (TextGenerationSettings_t987435647 * __this, Vector2_t1870731928 ___left0, Vector2_t1870731928 ___right1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerationSettings::Equals(UnityEngine.TextGenerationSettings) extern "C" bool TextGenerationSettings_Equals_m4053434414 (TextGenerationSettings_t987435647 * __this, TextGenerationSettings_t987435647 ___other0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::.ctor(System.Int32) extern "C" void TextGenerator__ctor_m3372066549 (TextGenerator_t2161547030 * __this, int32_t ___initialCapacity0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Collections.Generic.List`1<UnityEngine.UIVertex>::.ctor(System.Int32) #define List_1__ctor_m3052573227(__this, p0, method) (( void (*) (List_1_t2822604285 *, int32_t, const RuntimeMethod*))List_1__ctor_m3052573227_gshared)(__this, p0, method) // System.Void System.Collections.Generic.List`1<UnityEngine.UICharInfo>::.ctor(System.Int32) #define List_1__ctor_m252818309(__this, p0, method) (( void (*) (List_1_t1760015106 *, int32_t, const RuntimeMethod*))List_1__ctor_m252818309_gshared)(__this, p0, method) // System.Void System.Collections.Generic.List`1<UnityEngine.UILineInfo>::.ctor(System.Int32) #define List_1__ctor_m1538939669(__this, p0, method) (( void (*) (List_1_t4059619465 *, int32_t, const RuntimeMethod*))List_1__ctor_m1538939669_gshared)(__this, p0, method) // System.Void UnityEngine.TextGenerator::Init() extern "C" void TextGenerator_Init_m510741601 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::Dispose_cpp() extern "C" void TextGenerator_Dispose_cpp_m3284248192 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.Font::get_dynamic() extern "C" bool Font_get_dynamic_m1475300121 (Font_t3940830037 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.String UnityEngine.Object::get_name() extern "C" String_t* Object_get_name_m910479749 (Object_t1699899486 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Debug::LogWarningFormat(UnityEngine.Object,System.String,System.Object[]) extern "C" void Debug_LogWarningFormat_m1813005434 (RuntimeObject * __this /* static, unused */, Object_t1699899486 * ___context0, String_t* ___format1, ObjectU5BU5D_t846638089* ___args2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetCharactersInternal(System.Object) extern "C" void TextGenerator_GetCharactersInternal_m3700544044 (TextGenerator_t2161547030 * __this, RuntimeObject * ___characters0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetLinesInternal(System.Object) extern "C" void TextGenerator_GetLinesInternal_m1977029047 (TextGenerator_t2161547030 * __this, RuntimeObject * ___lines0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetVerticesInternal(System.Object) extern "C" void TextGenerator_GetVerticesInternal_m4095926323 (TextGenerator_t2161547030 * __this, RuntimeObject * ___vertices0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerator::Populate(System.String,UnityEngine.TextGenerationSettings) extern "C" bool TextGenerator_Populate_m1640299117 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Rect UnityEngine.TextGenerator::get_rectExtents() extern "C" Rect_t2469536665 TextGenerator_get_rectExtents_m3169694617 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TextGenerationError UnityEngine.TextGenerator::PopulateWithError(System.String,UnityEngine.TextGenerationSettings) extern "C" int32_t TextGenerator_PopulateWithError_m1391715733 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Debug::LogErrorFormat(UnityEngine.Object,System.String,System.Object[]) extern "C" void Debug_LogErrorFormat_m85312570 (RuntimeObject * __this /* static, unused */, Object_t1699899486 * ___context0, String_t* ___format1, ObjectU5BU5D_t846638089* ___args2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TextGenerationError UnityEngine.TextGenerator::PopulateAlways(System.String,UnityEngine.TextGenerationSettings) extern "C" int32_t TextGenerator_PopulateAlways_m3254052958 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TextGenerationSettings UnityEngine.TextGenerator::ValidatedSettings(UnityEngine.TextGenerationSettings) extern "C" TextGenerationSettings_t987435647 TextGenerator_ValidatedSettings_m2194582883 (TextGenerator_t2161547030 * __this, TextGenerationSettings_t987435647 ___settings0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerator::Populate_Internal(System.String,UnityEngine.Font,UnityEngine.Color,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,UnityEngine.VerticalWrapMode,UnityEngine.HorizontalWrapMode,System.Boolean,UnityEngine.TextAnchor,UnityEngine.Vector2,UnityEngine.Vector2,System.Boolean,System.Boolean,UnityEngine.TextGenerationError&) extern "C" bool TextGenerator_Populate_Internal_m4154461145 (TextGenerator_t2161547030 * __this, String_t* ___str0, Font_t3940830037 * ___font1, Color_t3136506488 ___color2, int32_t ___fontSize3, float ___scaleFactor4, float ___lineSpacing5, int32_t ___style6, bool ___richText7, bool ___resizeTextForBestFit8, int32_t ___resizeTextMinSize9, int32_t ___resizeTextMaxSize10, int32_t ___verticalOverFlow11, int32_t ___horizontalOverflow12, bool ___updateBounds13, int32_t ___anchor14, Vector2_t1870731928 ___extents15, Vector2_t1870731928 ___pivot16, bool ___generateOutOfBounds17, bool ___alignByGeometry18, int32_t* ___error19, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetVertices(System.Collections.Generic.List`1<UnityEngine.UIVertex>) extern "C" void TextGenerator_GetVertices_m509573468 (TextGenerator_t2161547030 * __this, List_1_t2822604285 * ___vertices0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetCharacters(System.Collections.Generic.List`1<UnityEngine.UICharInfo>) extern "C" void TextGenerator_GetCharacters_m3080347000 (TextGenerator_t2161547030 * __this, List_1_t1760015106 * ___characters0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::GetLines(System.Collections.Generic.List`1<UnityEngine.UILineInfo>) extern "C" void TextGenerator_GetLines_m4190699891 (TextGenerator_t2161547030 * __this, List_1_t4059619465 * ___lines0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerator::Populate_Internal_cpp(System.String,UnityEngine.Font,UnityEngine.Color,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,UnityEngine.TextAnchor,System.Single,System.Single,System.Single,System.Single,System.Boolean,System.Boolean,System.UInt32&) extern "C" bool TextGenerator_Populate_Internal_cpp_m3555785314 (TextGenerator_t2161547030 * __this, String_t* ___str0, Font_t3940830037 * ___font1, Color_t3136506488 ___color2, int32_t ___fontSize3, float ___scaleFactor4, float ___lineSpacing5, int32_t ___style6, bool ___richText7, bool ___resizeTextForBestFit8, int32_t ___resizeTextMinSize9, int32_t ___resizeTextMaxSize10, int32_t ___verticalOverFlow11, int32_t ___horizontalOverflow12, bool ___updateBounds13, int32_t ___anchor14, float ___extentsX15, float ___extentsY16, float ___pivotX17, float ___pivotY18, bool ___generateOutOfBounds19, bool ___alignByGeometry20, uint32_t* ___error21, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TextGenerator::INTERNAL_CALL_Populate_Internal_cpp(UnityEngine.TextGenerator,System.String,UnityEngine.Font,UnityEngine.Color&,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,UnityEngine.TextAnchor,System.Single,System.Single,System.Single,System.Single,System.Boolean,System.Boolean,System.UInt32&) extern "C" bool TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198 (RuntimeObject * __this /* static, unused */, TextGenerator_t2161547030 * ___self0, String_t* ___str1, Font_t3940830037 * ___font2, Color_t3136506488 * ___color3, int32_t ___fontSize4, float ___scaleFactor5, float ___lineSpacing6, int32_t ___style7, bool ___richText8, bool ___resizeTextForBestFit9, int32_t ___resizeTextMinSize10, int32_t ___resizeTextMaxSize11, int32_t ___verticalOverFlow12, int32_t ___horizontalOverflow13, bool ___updateBounds14, int32_t ___anchor15, float ___extentsX16, float ___extentsY17, float ___pivotX18, float ___pivotY19, bool ___generateOutOfBounds20, bool ___alignByGeometry21, uint32_t* ___error22, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TextGenerator::INTERNAL_get_rectExtents(UnityEngine.Rect&) extern "C" void TextGenerator_INTERNAL_get_rectExtents_m2771771722 (TextGenerator_t2161547030 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.TextGenerator::get_characterCount() extern "C" int32_t TextGenerator_get_characterCount_m3392283598 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Texture::Internal_GetWidth(UnityEngine.Texture) extern "C" int32_t Texture_Internal_GetWidth_m2358074137 (RuntimeObject * __this /* static, unused */, Texture_t735859423 * ___t0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Texture::Internal_GetHeight(UnityEngine.Texture) extern "C" int32_t Texture_Internal_GetHeight_m2496957450 (RuntimeObject * __this /* static, unused */, Texture_t735859423 * ___t0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Texture::INTERNAL_get_texelSize(UnityEngine.Vector2&) extern "C" void Texture_INTERNAL_get_texelSize_m3325074551 (Texture_t735859423 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Texture::.ctor() extern "C" void Texture__ctor_m1592747347 (Texture_t735859423 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Texture2D::Internal_Create(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean,System.IntPtr) extern "C" void Texture2D_Internal_Create_m84590841 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___mono0, int32_t ___width1, int32_t ___height2, int32_t ___format3, bool ___mipmap4, bool ___linear5, IntPtr_t ___nativeTex6, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Texture2D::INTERNAL_CALL_GetPixelBilinear(UnityEngine.Texture2D,System.Single,System.Single,UnityEngine.Color&) extern "C" void Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___self0, float ___u1, float ___v2, Color_t3136506488 * ___value3, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 UnityEngine.Touch::get_fingerId() extern "C" int32_t Touch_get_fingerId_m877717961 (Touch_t2994539933 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Vector2 UnityEngine.Touch::get_position() extern "C" Vector2_t1870731928 Touch_get_position_m2269895505 (Touch_t2994539933 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TouchPhase UnityEngine.Touch::get_phase() extern "C" int32_t Touch_get_phase_m457569308 (Touch_t2994539933 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Single UnityEngine.Touch::get_pressure() extern "C" float Touch_get_pressure_m3163375352 (Touch_t2994539933 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TouchType UnityEngine.Touch::get_type() extern "C" int32_t Touch_get_type_m1280003077 (Touch_t2994539933 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.UInt32 System.Convert::ToUInt32(System.Object) extern "C" uint32_t Convert_ToUInt32_m644467465 (RuntimeObject * __this /* static, unused */, RuntimeObject * p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.UInt32 System.Convert::ToUInt32(System.Boolean) extern "C" uint32_t Convert_ToUInt32_m3506788801 (RuntimeObject * __this /* static, unused */, bool p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments&,System.String,System.String) extern "C" void TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042 (TouchScreenKeyboard_t2626315871 * __this, TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663 * ___arguments0, String_t* ___text1, String_t* ___textPlaceholder2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TouchScreenKeyboard::Destroy() extern "C" void TouchScreenKeyboard_Destroy_m277249040 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.RuntimePlatform UnityEngine.Application::get_platform() extern "C" int32_t Application_get_platform_m3173055975 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.TouchScreenKeyboard UnityEngine.TouchScreenKeyboard::Open(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String) extern "C" TouchScreenKeyboard_t2626315871 * TouchScreenKeyboard_Open_m3316539007 (RuntimeObject * __this /* static, unused */, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TouchScreenKeyboard::.ctor(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String) extern "C" void TouchScreenKeyboard__ctor_m1058353684 (TouchScreenKeyboard_t2626315871 * __this, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.TouchScreenKeyboard::GetSelectionInternal(System.Int32&,System.Int32&) extern "C" void TouchScreenKeyboard_GetSelectionInternal_m220187720 (TouchScreenKeyboard_t2626315871 * __this, int32_t* ___start0, int32_t* ___length1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Boolean UnityEngine.TrackedReference::op_Equality(UnityEngine.TrackedReference,UnityEngine.TrackedReference) extern "C" bool TrackedReference_op_Equality_m1749353678 (RuntimeObject * __this /* static, unused */, TrackedReference_t2314189973 * ___x0, TrackedReference_t2314189973 * ___y1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Int32 System.IntPtr::op_Explicit(System.IntPtr) extern "C" int32_t IntPtr_op_Explicit_m3768691459 (RuntimeObject * __this /* static, unused */, IntPtr_t p0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_position(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_position_m2831387706 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_set_position(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_position_m1517926166 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_localPosition(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_localPosition_m317043818 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_set_localPosition(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_localPosition_m3998254893 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_rotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_get_rotation_m1231166708 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_localRotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_get_localRotation_m3703844283 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_set_localRotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_set_localRotation_m3190607451 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_localScale(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_localScale_m1657396097 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_set_localScale(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_localScale_m1701677794 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // UnityEngine.Transform UnityEngine.Transform::get_parentInternal() extern "C" Transform_t1640584944 * Transform_get_parentInternal_m550522751 (Transform_t1640584944 * __this, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Debug::LogWarning(System.Object,UnityEngine.Object) extern "C" void Debug_LogWarning_m2892692681 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___message0, Object_t1699899486 * ___context1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::set_parentInternal(UnityEngine.Transform) extern "C" void Transform_set_parentInternal_m3587132827 (Transform_t1640584944 * __this, Transform_t1640584944 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform,System.Boolean) extern "C" void Transform_SetParent_m400516177 (Transform_t1640584944 * __this, Transform_t1640584944 * ___parent0, bool ___worldPositionStays1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_get_worldToLocalMatrix(UnityEngine.Matrix4x4&) extern "C" void Transform_INTERNAL_get_worldToLocalMatrix_m1124170750 (Transform_t1640584944 * __this, Matrix4x4_t284900595 * ___value0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_CALL_TransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_CALL_TransformPoint_m1518896593 (RuntimeObject * __this /* static, unused */, Transform_t1640584944 * ___self0, Vector3_t1874995928 * ___position1, Vector3_t1874995928 * ___value2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform::INTERNAL_CALL_InverseTransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242 (RuntimeObject * __this /* static, unused */, Transform_t1640584944 * ___self0, Vector3_t1874995928 * ___position1, Vector3_t1874995928 * ___value2, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void UnityEngine.Transform/Enumerator::.ctor(UnityEngine.Transform) extern "C" void Enumerator__ctor_m1309621474 (Enumerator_t4074900053 * __this, Transform_t1640584944 * ___outer0, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; // System.Void System.Action`1<UnityEngine.U2D.SpriteAtlas>::.ctor(System.Object,System.IntPtr) #define Action_1__ctor_m3126567319(__this, p0, p1, method) (( void (*) (Action_1_t3078164784 *, RuntimeObject *, IntPtr_t, const RuntimeMethod*))Action_1__ctor_m1712099563_gshared)(__this, p0, p1, method) // System.Void UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback::Invoke(System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>) extern "C" void RequestAtlasCallback_Invoke_m558288633 (RequestAtlasCallback_t1094793114 * __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, const RuntimeMethod* method) IL2CPP_METHOD_ATTR; #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.RaycastHit2D extern "C" void RaycastHit2D_t618660614_marshal_pinvoke(const RaycastHit2D_t618660614& unmarshaled, RaycastHit2D_t618660614_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___m_Collider_5Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Collider' of type 'RaycastHit2D': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Collider_5Exception); } extern "C" void RaycastHit2D_t618660614_marshal_pinvoke_back(const RaycastHit2D_t618660614_marshaled_pinvoke& marshaled, RaycastHit2D_t618660614& unmarshaled) { Il2CppCodeGenException* ___m_Collider_5Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Collider' of type 'RaycastHit2D': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Collider_5Exception); } // Conversion method for clean up from marshalling of: UnityEngine.RaycastHit2D extern "C" void RaycastHit2D_t618660614_marshal_pinvoke_cleanup(RaycastHit2D_t618660614_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.RaycastHit2D extern "C" void RaycastHit2D_t618660614_marshal_com(const RaycastHit2D_t618660614& unmarshaled, RaycastHit2D_t618660614_marshaled_com& marshaled) { Il2CppCodeGenException* ___m_Collider_5Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Collider' of type 'RaycastHit2D': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Collider_5Exception); } extern "C" void RaycastHit2D_t618660614_marshal_com_back(const RaycastHit2D_t618660614_marshaled_com& marshaled, RaycastHit2D_t618660614& unmarshaled) { Il2CppCodeGenException* ___m_Collider_5Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Collider' of type 'RaycastHit2D': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Collider_5Exception); } // Conversion method for clean up from marshalling of: UnityEngine.RaycastHit2D extern "C" void RaycastHit2D_t618660614_marshal_com_cleanup(RaycastHit2D_t618660614_marshaled_com& marshaled) { } // UnityEngine.Vector2 UnityEngine.RaycastHit2D::get_point() extern "C" Vector2_t1870731928 RaycastHit2D_get_point_m1467168765 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { Vector2_t1870731928 L_0 = __this->get_m_Point_1(); V_0 = L_0; goto IL_000d; } IL_000d: { Vector2_t1870731928 L_1 = V_0; return L_1; } } extern "C" Vector2_t1870731928 RaycastHit2D_get_point_m1467168765_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { RaycastHit2D_t618660614 * _thisAdjusted = reinterpret_cast<RaycastHit2D_t618660614 *>(__this + 1); return RaycastHit2D_get_point_m1467168765(_thisAdjusted, method); } // UnityEngine.Vector2 UnityEngine.RaycastHit2D::get_normal() extern "C" Vector2_t1870731928 RaycastHit2D_get_normal_m2557110174 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { Vector2_t1870731928 L_0 = __this->get_m_Normal_2(); V_0 = L_0; goto IL_000d; } IL_000d: { Vector2_t1870731928 L_1 = V_0; return L_1; } } extern "C" Vector2_t1870731928 RaycastHit2D_get_normal_m2557110174_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { RaycastHit2D_t618660614 * _thisAdjusted = reinterpret_cast<RaycastHit2D_t618660614 *>(__this + 1); return RaycastHit2D_get_normal_m2557110174(_thisAdjusted, method); } // System.Single UnityEngine.RaycastHit2D::get_distance() extern "C" float RaycastHit2D_get_distance_m1805416367 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Distance_3(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float RaycastHit2D_get_distance_m1805416367_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { RaycastHit2D_t618660614 * _thisAdjusted = reinterpret_cast<RaycastHit2D_t618660614 *>(__this + 1); return RaycastHit2D_get_distance_m1805416367(_thisAdjusted, method); } // UnityEngine.Collider2D UnityEngine.RaycastHit2D::get_collider() extern "C" Collider2D_t1683084049 * RaycastHit2D_get_collider_m2885521487 (RaycastHit2D_t618660614 * __this, const RuntimeMethod* method) { Collider2D_t1683084049 * V_0 = NULL; { Collider2D_t1683084049 * L_0 = __this->get_m_Collider_5(); V_0 = L_0; goto IL_000d; } IL_000d: { Collider2D_t1683084049 * L_1 = V_0; return L_1; } } extern "C" Collider2D_t1683084049 * RaycastHit2D_get_collider_m2885521487_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { RaycastHit2D_t618660614 * _thisAdjusted = reinterpret_cast<RaycastHit2D_t618660614 *>(__this + 1); return RaycastHit2D_get_collider_m2885521487(_thisAdjusted, method); } // System.Void UnityEngine.Rect::.ctor(System.Single,System.Single,System.Single,System.Single) extern "C" void Rect__ctor_m2244089803 (Rect_t2469536665 * __this, float ___x0, float ___y1, float ___width2, float ___height3, const RuntimeMethod* method) { { float L_0 = ___x0; __this->set_m_XMin_0(L_0); float L_1 = ___y1; __this->set_m_YMin_1(L_1); float L_2 = ___width2; __this->set_m_Width_2(L_2); float L_3 = ___height3; __this->set_m_Height_3(L_3); return; } } extern "C" void Rect__ctor_m2244089803_AdjustorThunk (RuntimeObject * __this, float ___x0, float ___y1, float ___width2, float ___height3, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect__ctor_m2244089803(_thisAdjusted, ___x0, ___y1, ___width2, ___height3, method); } // System.Single UnityEngine.Rect::get_x() extern "C" float Rect_get_x_m3057964883 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_XMin_0(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_x_m3057964883_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_x_m3057964883(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_x(System.Single) extern "C" void Rect_set_x_m3567570991 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; __this->set_m_XMin_0(L_0); return; } } extern "C" void Rect_set_x_m3567570991_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_x_m3567570991(_thisAdjusted, ___value0, method); } // System.Single UnityEngine.Rect::get_y() extern "C" float Rect_get_y_m1036027857 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_YMin_1(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_y_m1036027857_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_y_m1036027857(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_y(System.Single) extern "C" void Rect_set_y_m2998956114 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; __this->set_m_YMin_1(L_0); return; } } extern "C" void Rect_set_y_m2998956114_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_y_m2998956114(_thisAdjusted, ___value0, method); } // UnityEngine.Vector2 UnityEngine.Rect::get_position() extern "C" Vector2_t1870731928 Rect_get_position_m128433378 (Rect_t2469536665 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = __this->get_m_XMin_0(); float L_1 = __this->get_m_YMin_1(); Vector2_t1870731928 L_2; memset(&L_2, 0, sizeof(L_2)); Vector2__ctor_m3849347166((&L_2), L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0018; } IL_0018: { Vector2_t1870731928 L_3 = V_0; return L_3; } } extern "C" Vector2_t1870731928 Rect_get_position_m128433378_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_position_m128433378(_thisAdjusted, method); } // UnityEngine.Vector2 UnityEngine.Rect::get_center() extern "C" Vector2_t1870731928 Rect_get_center_m4127654837 (Rect_t2469536665 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = Rect_get_x_m3057964883(__this, /*hidden argument*/NULL); float L_1 = __this->get_m_Width_2(); float L_2 = Rect_get_y_m1036027857(__this, /*hidden argument*/NULL); float L_3 = __this->get_m_Height_3(); Vector2_t1870731928 L_4; memset(&L_4, 0, sizeof(L_4)); Vector2__ctor_m3849347166((&L_4), ((float)((float)L_0+(float)((float)((float)L_1/(float)(2.0f))))), ((float)((float)L_2+(float)((float)((float)L_3/(float)(2.0f))))), /*hidden argument*/NULL); V_0 = L_4; goto IL_0032; } IL_0032: { Vector2_t1870731928 L_5 = V_0; return L_5; } } extern "C" Vector2_t1870731928 Rect_get_center_m4127654837_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_center_m4127654837(_thisAdjusted, method); } // UnityEngine.Vector2 UnityEngine.Rect::get_min() extern "C" Vector2_t1870731928 Rect_get_min_m406302797 (Rect_t2469536665 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = Rect_get_xMin_m1276546745(__this, /*hidden argument*/NULL); float L_1 = Rect_get_yMin_m1112836090(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_2; memset(&L_2, 0, sizeof(L_2)); Vector2__ctor_m3849347166((&L_2), L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0018; } IL_0018: { Vector2_t1870731928 L_3 = V_0; return L_3; } } extern "C" Vector2_t1870731928 Rect_get_min_m406302797_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_min_m406302797(_thisAdjusted, method); } // UnityEngine.Vector2 UnityEngine.Rect::get_max() extern "C" Vector2_t1870731928 Rect_get_max_m535707399 (Rect_t2469536665 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = Rect_get_xMax_m198616324(__this, /*hidden argument*/NULL); float L_1 = Rect_get_yMax_m173172558(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_2; memset(&L_2, 0, sizeof(L_2)); Vector2__ctor_m3849347166((&L_2), L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0018; } IL_0018: { Vector2_t1870731928 L_3 = V_0; return L_3; } } extern "C" Vector2_t1870731928 Rect_get_max_m535707399_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_max_m535707399(_thisAdjusted, method); } // System.Single UnityEngine.Rect::get_width() extern "C" float Rect_get_width_m3141255656 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Width_2(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_width_m3141255656_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_width_m3141255656(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_width(System.Single) extern "C" void Rect_set_width_m1967798254 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; __this->set_m_Width_2(L_0); return; } } extern "C" void Rect_set_width_m1967798254_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_width_m1967798254(_thisAdjusted, ___value0, method); } // System.Single UnityEngine.Rect::get_height() extern "C" float Rect_get_height_m931612414 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Height_3(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_height_m931612414_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_height_m931612414(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_height(System.Single) extern "C" void Rect_set_height_m1169399332 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; __this->set_m_Height_3(L_0); return; } } extern "C" void Rect_set_height_m1169399332_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_height_m1169399332(_thisAdjusted, ___value0, method); } // UnityEngine.Vector2 UnityEngine.Rect::get_size() extern "C" Vector2_t1870731928 Rect_get_size_m2360351274 (Rect_t2469536665 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = __this->get_m_Width_2(); float L_1 = __this->get_m_Height_3(); Vector2_t1870731928 L_2; memset(&L_2, 0, sizeof(L_2)); Vector2__ctor_m3849347166((&L_2), L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0018; } IL_0018: { Vector2_t1870731928 L_3 = V_0; return L_3; } } extern "C" Vector2_t1870731928 Rect_get_size_m2360351274_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_size_m2360351274(_thisAdjusted, method); } // System.Single UnityEngine.Rect::get_xMin() extern "C" float Rect_get_xMin_m1276546745 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_XMin_0(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_xMin_m1276546745_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_xMin_m1276546745(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_xMin(System.Single) extern "C" void Rect_set_xMin_m3596863663 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = Rect_get_xMax_m198616324(__this, /*hidden argument*/NULL); V_0 = L_0; float L_1 = ___value0; __this->set_m_XMin_0(L_1); float L_2 = V_0; float L_3 = __this->get_m_XMin_0(); __this->set_m_Width_2(((float)((float)L_2-(float)L_3))); return; } } extern "C" void Rect_set_xMin_m3596863663_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_xMin_m3596863663(_thisAdjusted, ___value0, method); } // System.Single UnityEngine.Rect::get_yMin() extern "C" float Rect_get_yMin_m1112836090 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_YMin_1(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Rect_get_yMin_m1112836090_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_yMin_m1112836090(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_yMin(System.Single) extern "C" void Rect_set_yMin_m4093517104 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = Rect_get_yMax_m173172558(__this, /*hidden argument*/NULL); V_0 = L_0; float L_1 = ___value0; __this->set_m_YMin_1(L_1); float L_2 = V_0; float L_3 = __this->get_m_YMin_1(); __this->set_m_Height_3(((float)((float)L_2-(float)L_3))); return; } } extern "C" void Rect_set_yMin_m4093517104_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_yMin_m4093517104(_thisAdjusted, ___value0, method); } // System.Single UnityEngine.Rect::get_xMax() extern "C" float Rect_get_xMax_m198616324 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Width_2(); float L_1 = __this->get_m_XMin_0(); V_0 = ((float)((float)L_0+(float)L_1)); goto IL_0014; } IL_0014: { float L_2 = V_0; return L_2; } } extern "C" float Rect_get_xMax_m198616324_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_xMax_m198616324(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_xMax(System.Single) extern "C" void Rect_set_xMax_m635899624 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; float L_1 = __this->get_m_XMin_0(); __this->set_m_Width_2(((float)((float)L_0-(float)L_1))); return; } } extern "C" void Rect_set_xMax_m635899624_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_xMax_m635899624(_thisAdjusted, ___value0, method); } // System.Single UnityEngine.Rect::get_yMax() extern "C" float Rect_get_yMax_m173172558 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Height_3(); float L_1 = __this->get_m_YMin_1(); V_0 = ((float)((float)L_0+(float)L_1)); goto IL_0014; } IL_0014: { float L_2 = V_0; return L_2; } } extern "C" float Rect_get_yMax_m173172558_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_get_yMax_m173172558(_thisAdjusted, method); } // System.Void UnityEngine.Rect::set_yMax(System.Single) extern "C" void Rect_set_yMax_m3735668559 (Rect_t2469536665 * __this, float ___value0, const RuntimeMethod* method) { { float L_0 = ___value0; float L_1 = __this->get_m_YMin_1(); __this->set_m_Height_3(((float)((float)L_0-(float)L_1))); return; } } extern "C" void Rect_set_yMax_m3735668559_AdjustorThunk (RuntimeObject * __this, float ___value0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); Rect_set_yMax_m3735668559(_thisAdjusted, ___value0, method); } // System.Boolean UnityEngine.Rect::Contains(UnityEngine.Vector2) extern "C" bool Rect_Contains_m2145098890 (Rect_t2469536665 * __this, Vector2_t1870731928 ___point0, const RuntimeMethod* method) { bool V_0 = false; int32_t G_B5_0 = 0; { float L_0 = (&___point0)->get_x_0(); float L_1 = Rect_get_xMin_m1276546745(__this, /*hidden argument*/NULL); if ((!(((float)L_0) >= ((float)L_1)))) { goto IL_0048; } } { float L_2 = (&___point0)->get_x_0(); float L_3 = Rect_get_xMax_m198616324(__this, /*hidden argument*/NULL); if ((!(((float)L_2) < ((float)L_3)))) { goto IL_0048; } } { float L_4 = (&___point0)->get_y_1(); float L_5 = Rect_get_yMin_m1112836090(__this, /*hidden argument*/NULL); if ((!(((float)L_4) >= ((float)L_5)))) { goto IL_0048; } } { float L_6 = (&___point0)->get_y_1(); float L_7 = Rect_get_yMax_m173172558(__this, /*hidden argument*/NULL); G_B5_0 = ((((float)L_6) < ((float)L_7))? 1 : 0); goto IL_0049; } IL_0048: { G_B5_0 = 0; } IL_0049: { V_0 = (bool)G_B5_0; goto IL_004f; } IL_004f: { bool L_8 = V_0; return L_8; } } extern "C" bool Rect_Contains_m2145098890_AdjustorThunk (RuntimeObject * __this, Vector2_t1870731928 ___point0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_Contains_m2145098890(_thisAdjusted, ___point0, method); } // System.Boolean UnityEngine.Rect::Contains(UnityEngine.Vector3) extern "C" bool Rect_Contains_m2517822239 (Rect_t2469536665 * __this, Vector3_t1874995928 ___point0, const RuntimeMethod* method) { bool V_0 = false; int32_t G_B5_0 = 0; { float L_0 = (&___point0)->get_x_1(); float L_1 = Rect_get_xMin_m1276546745(__this, /*hidden argument*/NULL); if ((!(((float)L_0) >= ((float)L_1)))) { goto IL_0048; } } { float L_2 = (&___point0)->get_x_1(); float L_3 = Rect_get_xMax_m198616324(__this, /*hidden argument*/NULL); if ((!(((float)L_2) < ((float)L_3)))) { goto IL_0048; } } { float L_4 = (&___point0)->get_y_2(); float L_5 = Rect_get_yMin_m1112836090(__this, /*hidden argument*/NULL); if ((!(((float)L_4) >= ((float)L_5)))) { goto IL_0048; } } { float L_6 = (&___point0)->get_y_2(); float L_7 = Rect_get_yMax_m173172558(__this, /*hidden argument*/NULL); G_B5_0 = ((((float)L_6) < ((float)L_7))? 1 : 0); goto IL_0049; } IL_0048: { G_B5_0 = 0; } IL_0049: { V_0 = (bool)G_B5_0; goto IL_004f; } IL_004f: { bool L_8 = V_0; return L_8; } } extern "C" bool Rect_Contains_m2517822239_AdjustorThunk (RuntimeObject * __this, Vector3_t1874995928 ___point0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_Contains_m2517822239(_thisAdjusted, ___point0, method); } // UnityEngine.Rect UnityEngine.Rect::OrderMinMax(UnityEngine.Rect) extern "C" Rect_t2469536665 Rect_OrderMinMax_m54100182 (RuntimeObject * __this /* static, unused */, Rect_t2469536665 ___rect0, const RuntimeMethod* method) { float V_0 = 0.0f; float V_1 = 0.0f; Rect_t2469536665 V_2; memset(&V_2, 0, sizeof(V_2)); { float L_0 = Rect_get_xMin_m1276546745((&___rect0), /*hidden argument*/NULL); float L_1 = Rect_get_xMax_m198616324((&___rect0), /*hidden argument*/NULL); if ((!(((float)L_0) > ((float)L_1)))) { goto IL_0034; } } { float L_2 = Rect_get_xMin_m1276546745((&___rect0), /*hidden argument*/NULL); V_0 = L_2; float L_3 = Rect_get_xMax_m198616324((&___rect0), /*hidden argument*/NULL); Rect_set_xMin_m3596863663((&___rect0), L_3, /*hidden argument*/NULL); float L_4 = V_0; Rect_set_xMax_m635899624((&___rect0), L_4, /*hidden argument*/NULL); } IL_0034: { float L_5 = Rect_get_yMin_m1112836090((&___rect0), /*hidden argument*/NULL); float L_6 = Rect_get_yMax_m173172558((&___rect0), /*hidden argument*/NULL); if ((!(((float)L_5) > ((float)L_6)))) { goto IL_0067; } } { float L_7 = Rect_get_yMin_m1112836090((&___rect0), /*hidden argument*/NULL); V_1 = L_7; float L_8 = Rect_get_yMax_m173172558((&___rect0), /*hidden argument*/NULL); Rect_set_yMin_m4093517104((&___rect0), L_8, /*hidden argument*/NULL); float L_9 = V_1; Rect_set_yMax_m3735668559((&___rect0), L_9, /*hidden argument*/NULL); } IL_0067: { Rect_t2469536665 L_10 = ___rect0; V_2 = L_10; goto IL_006e; } IL_006e: { Rect_t2469536665 L_11 = V_2; return L_11; } } // System.Boolean UnityEngine.Rect::Overlaps(UnityEngine.Rect) extern "C" bool Rect_Overlaps_m3921722355 (Rect_t2469536665 * __this, Rect_t2469536665 ___other0, const RuntimeMethod* method) { bool V_0 = false; int32_t G_B5_0 = 0; { float L_0 = Rect_get_xMax_m198616324((&___other0), /*hidden argument*/NULL); float L_1 = Rect_get_xMin_m1276546745(__this, /*hidden argument*/NULL); if ((!(((float)L_0) > ((float)L_1)))) { goto IL_0048; } } { float L_2 = Rect_get_xMin_m1276546745((&___other0), /*hidden argument*/NULL); float L_3 = Rect_get_xMax_m198616324(__this, /*hidden argument*/NULL); if ((!(((float)L_2) < ((float)L_3)))) { goto IL_0048; } } { float L_4 = Rect_get_yMax_m173172558((&___other0), /*hidden argument*/NULL); float L_5 = Rect_get_yMin_m1112836090(__this, /*hidden argument*/NULL); if ((!(((float)L_4) > ((float)L_5)))) { goto IL_0048; } } { float L_6 = Rect_get_yMin_m1112836090((&___other0), /*hidden argument*/NULL); float L_7 = Rect_get_yMax_m173172558(__this, /*hidden argument*/NULL); G_B5_0 = ((((float)L_6) < ((float)L_7))? 1 : 0); goto IL_0049; } IL_0048: { G_B5_0 = 0; } IL_0049: { V_0 = (bool)G_B5_0; goto IL_004f; } IL_004f: { bool L_8 = V_0; return L_8; } } extern "C" bool Rect_Overlaps_m3921722355_AdjustorThunk (RuntimeObject * __this, Rect_t2469536665 ___other0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_Overlaps_m3921722355(_thisAdjusted, ___other0, method); } // System.Boolean UnityEngine.Rect::Overlaps(UnityEngine.Rect,System.Boolean) extern "C" bool Rect_Overlaps_m2450581157 (Rect_t2469536665 * __this, Rect_t2469536665 ___other0, bool ___allowInverse1, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); bool V_1 = false; { V_0 = (*(Rect_t2469536665 *)__this); bool L_0 = ___allowInverse1; if (!L_0) { goto IL_001f; } } { Rect_t2469536665 L_1 = V_0; Rect_t2469536665 L_2 = Rect_OrderMinMax_m54100182(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); V_0 = L_2; Rect_t2469536665 L_3 = ___other0; Rect_t2469536665 L_4 = Rect_OrderMinMax_m54100182(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); ___other0 = L_4; } IL_001f: { Rect_t2469536665 L_5 = ___other0; bool L_6 = Rect_Overlaps_m3921722355((&V_0), L_5, /*hidden argument*/NULL); V_1 = L_6; goto IL_002d; } IL_002d: { bool L_7 = V_1; return L_7; } } extern "C" bool Rect_Overlaps_m2450581157_AdjustorThunk (RuntimeObject * __this, Rect_t2469536665 ___other0, bool ___allowInverse1, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_Overlaps_m2450581157(_thisAdjusted, ___other0, ___allowInverse1, method); } // System.Boolean UnityEngine.Rect::op_Inequality(UnityEngine.Rect,UnityEngine.Rect) extern "C" bool Rect_op_Inequality_m506261439 (RuntimeObject * __this /* static, unused */, Rect_t2469536665 ___lhs0, Rect_t2469536665 ___rhs1, const RuntimeMethod* method) { bool V_0 = false; { Rect_t2469536665 L_0 = ___lhs0; Rect_t2469536665 L_1 = ___rhs1; bool L_2 = Rect_op_Equality_m2349382246(NULL /*static, unused*/, 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.Boolean UnityEngine.Rect::op_Equality(UnityEngine.Rect,UnityEngine.Rect) extern "C" bool Rect_op_Equality_m2349382246 (RuntimeObject * __this /* static, unused */, Rect_t2469536665 ___lhs0, Rect_t2469536665 ___rhs1, const RuntimeMethod* method) { bool V_0 = false; int32_t G_B5_0 = 0; { float L_0 = Rect_get_x_m3057964883((&___lhs0), /*hidden argument*/NULL); float L_1 = Rect_get_x_m3057964883((&___rhs1), /*hidden argument*/NULL); if ((!(((float)L_0) == ((float)L_1)))) { goto IL_004c; } } { float L_2 = Rect_get_y_m1036027857((&___lhs0), /*hidden argument*/NULL); float L_3 = Rect_get_y_m1036027857((&___rhs1), /*hidden argument*/NULL); if ((!(((float)L_2) == ((float)L_3)))) { goto IL_004c; } } { float L_4 = Rect_get_width_m3141255656((&___lhs0), /*hidden argument*/NULL); float L_5 = Rect_get_width_m3141255656((&___rhs1), /*hidden argument*/NULL); if ((!(((float)L_4) == ((float)L_5)))) { goto IL_004c; } } { float L_6 = Rect_get_height_m931612414((&___lhs0), /*hidden argument*/NULL); float L_7 = Rect_get_height_m931612414((&___rhs1), /*hidden argument*/NULL); G_B5_0 = ((((float)L_6) == ((float)L_7))? 1 : 0); goto IL_004d; } IL_004c: { G_B5_0 = 0; } IL_004d: { V_0 = (bool)G_B5_0; goto IL_0053; } IL_0053: { bool L_8 = V_0; return L_8; } } // System.Int32 UnityEngine.Rect::GetHashCode() extern "C" int32_t Rect_GetHashCode_m639574526 (Rect_t2469536665 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; float V_1 = 0.0f; float V_2 = 0.0f; float V_3 = 0.0f; int32_t V_4 = 0; { float L_0 = Rect_get_x_m3057964883(__this, /*hidden argument*/NULL); V_0 = L_0; int32_t L_1 = Single_GetHashCode_m718602026((&V_0), /*hidden argument*/NULL); float L_2 = Rect_get_width_m3141255656(__this, /*hidden argument*/NULL); V_1 = L_2; int32_t L_3 = Single_GetHashCode_m718602026((&V_1), /*hidden argument*/NULL); float L_4 = Rect_get_y_m1036027857(__this, /*hidden argument*/NULL); V_2 = L_4; int32_t L_5 = Single_GetHashCode_m718602026((&V_2), /*hidden argument*/NULL); float L_6 = Rect_get_height_m931612414(__this, /*hidden argument*/NULL); V_3 = L_6; int32_t L_7 = Single_GetHashCode_m718602026((&V_3), /*hidden argument*/NULL); V_4 = ((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_0061; } IL_0061: { int32_t L_8 = V_4; return L_8; } } extern "C" int32_t Rect_GetHashCode_m639574526_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_GetHashCode_m639574526(_thisAdjusted, method); } // System.Boolean UnityEngine.Rect::Equals(System.Object) extern "C" bool Rect_Equals_m3702227355 (Rect_t2469536665 * __this, RuntimeObject * ___other0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Rect_Equals_m3702227355_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); float V_2 = 0.0f; float V_3 = 0.0f; float V_4 = 0.0f; float V_5 = 0.0f; int32_t G_B7_0 = 0; { RuntimeObject * L_0 = ___other0; if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Rect_t2469536665_il2cpp_TypeInfo_var))) { goto IL_0013; } } { V_0 = (bool)0; goto IL_0088; } IL_0013: { RuntimeObject * L_1 = ___other0; V_1 = ((*(Rect_t2469536665 *)((Rect_t2469536665 *)UnBox(L_1, Rect_t2469536665_il2cpp_TypeInfo_var)))); float L_2 = Rect_get_x_m3057964883(__this, /*hidden argument*/NULL); V_2 = L_2; float L_3 = Rect_get_x_m3057964883((&V_1), /*hidden argument*/NULL); bool L_4 = Single_Equals_m3359459239((&V_2), L_3, /*hidden argument*/NULL); if (!L_4) { goto IL_0081; } } { float L_5 = Rect_get_y_m1036027857(__this, /*hidden argument*/NULL); V_3 = L_5; float L_6 = Rect_get_y_m1036027857((&V_1), /*hidden argument*/NULL); bool L_7 = Single_Equals_m3359459239((&V_3), L_6, /*hidden argument*/NULL); if (!L_7) { goto IL_0081; } } { float L_8 = Rect_get_width_m3141255656(__this, /*hidden argument*/NULL); V_4 = L_8; float L_9 = Rect_get_width_m3141255656((&V_1), /*hidden argument*/NULL); bool L_10 = Single_Equals_m3359459239((&V_4), L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_0081; } } { float L_11 = Rect_get_height_m931612414(__this, /*hidden argument*/NULL); V_5 = L_11; float L_12 = Rect_get_height_m931612414((&V_1), /*hidden argument*/NULL); bool L_13 = Single_Equals_m3359459239((&V_5), L_12, /*hidden argument*/NULL); G_B7_0 = ((int32_t)(L_13)); goto IL_0082; } IL_0081: { G_B7_0 = 0; } IL_0082: { V_0 = (bool)G_B7_0; goto IL_0088; } IL_0088: { bool L_14 = V_0; return L_14; } } extern "C" bool Rect_Equals_m3702227355_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_Equals_m3702227355(_thisAdjusted, ___other0, method); } // System.String UnityEngine.Rect::ToString() extern "C" String_t* Rect_ToString_m2781561511 (Rect_t2469536665 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Rect_ToString_m2781561511_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)4)); float L_1 = Rect_get_x_m3057964883(__this, /*hidden argument*/NULL); float L_2 = L_1; RuntimeObject * L_3 = Box(Single_t3328667513_il2cpp_TypeInfo_var, &L_2); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_3); ObjectU5BU5D_t846638089* L_4 = L_0; float L_5 = Rect_get_y_m1036027857(__this, /*hidden argument*/NULL); float L_6 = L_5; RuntimeObject * L_7 = Box(Single_t3328667513_il2cpp_TypeInfo_var, &L_6); NullCheck(L_4); ArrayElementTypeCheck (L_4, L_7); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_7); ObjectU5BU5D_t846638089* L_8 = L_4; float L_9 = Rect_get_width_m3141255656(__this, /*hidden argument*/NULL); float L_10 = L_9; RuntimeObject * L_11 = Box(Single_t3328667513_il2cpp_TypeInfo_var, &L_10); NullCheck(L_8); ArrayElementTypeCheck (L_8, L_11); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_11); ObjectU5BU5D_t846638089* L_12 = L_8; float L_13 = Rect_get_height_m931612414(__this, /*hidden argument*/NULL); float L_14 = L_13; RuntimeObject * L_15 = Box(Single_t3328667513_il2cpp_TypeInfo_var, &L_14); NullCheck(L_12); ArrayElementTypeCheck (L_12, L_15); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)L_15); String_t* L_16 = UnityString_Format_m2555702215(NULL /*static, unused*/, _stringLiteral4190490091, L_12, /*hidden argument*/NULL); V_0 = L_16; goto IL_004f; } IL_004f: { String_t* L_17 = V_0; return L_17; } } extern "C" String_t* Rect_ToString_m2781561511_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Rect_t2469536665 * _thisAdjusted = reinterpret_cast<Rect_t2469536665 *>(__this + 1); return Rect_ToString_m2781561511(_thisAdjusted, method); } // Conversion methods for marshalling of: UnityEngine.RectOffset extern "C" void RectOffset_t603374043_marshal_pinvoke(const RectOffset_t603374043& unmarshaled, RectOffset_t603374043_marshaled_pinvoke& marshaled) { marshaled.___m_Ptr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_Ptr_0()).get_m_value_0()); if (unmarshaled.get_m_SourceStyle_1() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_m_SourceStyle_1())) { il2cpp_hresult_t hr = ((Il2CppComObject *)unmarshaled.get_m_SourceStyle_1())->identity->QueryInterface(Il2CppIUnknown::IID, reinterpret_cast<void**>(&marshaled.___m_SourceStyle_1)); il2cpp_codegen_com_raise_exception_if_failed(hr, false); } else { marshaled.___m_SourceStyle_1 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_m_SourceStyle_1()); } } else { marshaled.___m_SourceStyle_1 = NULL; } } extern "C" void RectOffset_t603374043_marshal_pinvoke_back(const RectOffset_t603374043_marshaled_pinvoke& marshaled, RectOffset_t603374043& unmarshaled) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectOffset_t603374043_pinvoke_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodInitialized = true; } IntPtr_t unmarshaled_m_Ptr_temp_0; memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0)); IntPtr_t unmarshaled_m_Ptr_temp_0_temp; unmarshaled_m_Ptr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_Ptr_0))); unmarshaled_m_Ptr_temp_0 = unmarshaled_m_Ptr_temp_0_temp; unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0); if (marshaled.___m_SourceStyle_1 != NULL) { unmarshaled.set_m_SourceStyle_1(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___m_SourceStyle_1, Il2CppComObject_il2cpp_TypeInfo_var)); } else { unmarshaled.set_m_SourceStyle_1(NULL); } } // Conversion method for clean up from marshalling of: UnityEngine.RectOffset extern "C" void RectOffset_t603374043_marshal_pinvoke_cleanup(RectOffset_t603374043_marshaled_pinvoke& marshaled) { if (marshaled.___m_SourceStyle_1 != NULL) { (marshaled.___m_SourceStyle_1)->Release(); marshaled.___m_SourceStyle_1 = NULL; } } // Conversion methods for marshalling of: UnityEngine.RectOffset extern "C" void RectOffset_t603374043_marshal_com(const RectOffset_t603374043& unmarshaled, RectOffset_t603374043_marshaled_com& marshaled) { marshaled.___m_Ptr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_Ptr_0()).get_m_value_0()); if (unmarshaled.get_m_SourceStyle_1() != NULL) { if (il2cpp_codegen_is_import_or_windows_runtime(unmarshaled.get_m_SourceStyle_1())) { il2cpp_hresult_t hr = ((Il2CppComObject *)unmarshaled.get_m_SourceStyle_1())->identity->QueryInterface(Il2CppIUnknown::IID, reinterpret_cast<void**>(&marshaled.___m_SourceStyle_1)); il2cpp_codegen_com_raise_exception_if_failed(hr, true); } else { marshaled.___m_SourceStyle_1 = il2cpp_codegen_com_get_or_create_ccw<Il2CppIUnknown>(unmarshaled.get_m_SourceStyle_1()); } } else { marshaled.___m_SourceStyle_1 = NULL; } } extern "C" void RectOffset_t603374043_marshal_com_back(const RectOffset_t603374043_marshaled_com& marshaled, RectOffset_t603374043& unmarshaled) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectOffset_t603374043_com_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodInitialized = true; } IntPtr_t unmarshaled_m_Ptr_temp_0; memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0)); IntPtr_t unmarshaled_m_Ptr_temp_0_temp; unmarshaled_m_Ptr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_Ptr_0))); unmarshaled_m_Ptr_temp_0 = unmarshaled_m_Ptr_temp_0_temp; unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0); if (marshaled.___m_SourceStyle_1 != NULL) { unmarshaled.set_m_SourceStyle_1(il2cpp_codegen_com_get_or_create_rcw_from_iunknown<RuntimeObject>(marshaled.___m_SourceStyle_1, Il2CppComObject_il2cpp_TypeInfo_var)); } else { unmarshaled.set_m_SourceStyle_1(NULL); } } // Conversion method for clean up from marshalling of: UnityEngine.RectOffset extern "C" void RectOffset_t603374043_marshal_com_cleanup(RectOffset_t603374043_marshaled_com& marshaled) { if (marshaled.___m_SourceStyle_1 != NULL) { (marshaled.___m_SourceStyle_1)->Release(); marshaled.___m_SourceStyle_1 = NULL; } } // System.Void UnityEngine.RectOffset::.ctor() extern "C" void RectOffset__ctor_m1537307032 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); RectOffset_Init_m3753251820(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectOffset::.ctor(System.Object,System.IntPtr) extern "C" void RectOffset__ctor_m2817895187 (RectOffset_t603374043 * __this, RuntimeObject * ___sourceStyle0, IntPtr_t ___source1, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); RuntimeObject * L_0 = ___sourceStyle0; __this->set_m_SourceStyle_1(L_0); IntPtr_t L_1 = ___source1; __this->set_m_Ptr_0(L_1); return; } } // System.Void UnityEngine.RectOffset::Init() extern "C" void RectOffset_Init_m3753251820 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef void (*RectOffset_Init_m3753251820_ftn) (RectOffset_t603374043 *); static RectOffset_Init_m3753251820_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_Init_m3753251820_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::Init()"); _il2cpp_icall_func(__this); } // System.Void UnityEngine.RectOffset::Cleanup() extern "C" void RectOffset_Cleanup_m2222733547 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef void (*RectOffset_Cleanup_m2222733547_ftn) (RectOffset_t603374043 *); static RectOffset_Cleanup_m2222733547_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_Cleanup_m2222733547_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::Cleanup()"); _il2cpp_icall_func(__this); } // System.Int32 UnityEngine.RectOffset::get_left() extern "C" int32_t RectOffset_get_left_m3614847463 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_left_m3614847463_ftn) (RectOffset_t603374043 *); static RectOffset_get_left_m3614847463_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_left_m3614847463_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_left()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.RectOffset::set_left(System.Int32) extern "C" void RectOffset_set_left_m4193875146 (RectOffset_t603374043 * __this, int32_t ___value0, const RuntimeMethod* method) { typedef void (*RectOffset_set_left_m4193875146_ftn) (RectOffset_t603374043 *, int32_t); static RectOffset_set_left_m4193875146_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_set_left_m4193875146_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::set_left(System.Int32)"); _il2cpp_icall_func(__this, ___value0); } // System.Int32 UnityEngine.RectOffset::get_right() extern "C" int32_t RectOffset_get_right_m1128241367 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_right_m1128241367_ftn) (RectOffset_t603374043 *); static RectOffset_get_right_m1128241367_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_right_m1128241367_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_right()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.RectOffset::set_right(System.Int32) extern "C" void RectOffset_set_right_m2761319520 (RectOffset_t603374043 * __this, int32_t ___value0, const RuntimeMethod* method) { typedef void (*RectOffset_set_right_m2761319520_ftn) (RectOffset_t603374043 *, int32_t); static RectOffset_set_right_m2761319520_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_set_right_m2761319520_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::set_right(System.Int32)"); _il2cpp_icall_func(__this, ___value0); } // System.Int32 UnityEngine.RectOffset::get_top() extern "C" int32_t RectOffset_get_top_m130561850 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_top_m130561850_ftn) (RectOffset_t603374043 *); static RectOffset_get_top_m130561850_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_top_m130561850_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_top()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.RectOffset::set_top(System.Int32) extern "C" void RectOffset_set_top_m1488187933 (RectOffset_t603374043 * __this, int32_t ___value0, const RuntimeMethod* method) { typedef void (*RectOffset_set_top_m1488187933_ftn) (RectOffset_t603374043 *, int32_t); static RectOffset_set_top_m1488187933_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_set_top_m1488187933_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::set_top(System.Int32)"); _il2cpp_icall_func(__this, ___value0); } // System.Int32 UnityEngine.RectOffset::get_bottom() extern "C" int32_t RectOffset_get_bottom_m2697303132 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_bottom_m2697303132_ftn) (RectOffset_t603374043 *); static RectOffset_get_bottom_m2697303132_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_bottom_m2697303132_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_bottom()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.RectOffset::set_bottom(System.Int32) extern "C" void RectOffset_set_bottom_m4143020467 (RectOffset_t603374043 * __this, int32_t ___value0, const RuntimeMethod* method) { typedef void (*RectOffset_set_bottom_m4143020467_ftn) (RectOffset_t603374043 *, int32_t); static RectOffset_set_bottom_m4143020467_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_set_bottom_m4143020467_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::set_bottom(System.Int32)"); _il2cpp_icall_func(__this, ___value0); } // System.Int32 UnityEngine.RectOffset::get_horizontal() extern "C" int32_t RectOffset_get_horizontal_m2513340772 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_horizontal_m2513340772_ftn) (RectOffset_t603374043 *); static RectOffset_get_horizontal_m2513340772_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_horizontal_m2513340772_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_horizontal()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Int32 UnityEngine.RectOffset::get_vertical() extern "C" int32_t RectOffset_get_vertical_m197608769 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { typedef int32_t (*RectOffset_get_vertical_m197608769_ftn) (RectOffset_t603374043 *); static RectOffset_get_vertical_m197608769_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectOffset_get_vertical_m197608769_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectOffset::get_vertical()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.RectOffset::Finalize() extern "C" void RectOffset_Finalize_m4023922033 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { Exception_t4051195559 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t4051195559 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { } IL_0001: try { // begin try (depth: 1) { RuntimeObject * L_0 = __this->get_m_SourceStyle_1(); if (L_0) { goto IL_0012; } } IL_000c: { RectOffset_Cleanup_m2222733547(__this, /*hidden argument*/NULL); } IL_0012: { IL2CPP_LEAVE(0x1E, FINALLY_0017); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t4051195559 *)e.ex; goto FINALLY_0017; } FINALLY_0017: { // begin finally (depth: 1) Object_Finalize_m4018844832(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(23) } // end finally (depth: 1) IL2CPP_CLEANUP(23) { IL2CPP_JUMP_TBL(0x1E, IL_001e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t4051195559 *) } IL_001e: { return; } } // System.String UnityEngine.RectOffset::ToString() extern "C" String_t* RectOffset_ToString_m3127206676 (RectOffset_t603374043 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectOffset_ToString_m3127206676_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)4)); int32_t L_1 = RectOffset_get_left_m3614847463(__this, /*hidden argument*/NULL); int32_t L_2 = L_1; RuntimeObject * L_3 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_2); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_3); ObjectU5BU5D_t846638089* L_4 = L_0; int32_t L_5 = RectOffset_get_right_m1128241367(__this, /*hidden argument*/NULL); int32_t L_6 = L_5; RuntimeObject * L_7 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_6); NullCheck(L_4); ArrayElementTypeCheck (L_4, L_7); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_7); ObjectU5BU5D_t846638089* L_8 = L_4; int32_t L_9 = RectOffset_get_top_m130561850(__this, /*hidden argument*/NULL); int32_t L_10 = L_9; RuntimeObject * L_11 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_10); NullCheck(L_8); ArrayElementTypeCheck (L_8, L_11); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_11); ObjectU5BU5D_t846638089* L_12 = L_8; int32_t L_13 = RectOffset_get_bottom_m2697303132(__this, /*hidden argument*/NULL); int32_t L_14 = L_13; RuntimeObject * L_15 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_14); NullCheck(L_12); ArrayElementTypeCheck (L_12, L_15); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)L_15); String_t* L_16 = UnityString_Format_m2555702215(NULL /*static, unused*/, _stringLiteral2331679364, L_12, /*hidden argument*/NULL); V_0 = L_16; goto IL_004f; } IL_004f: { String_t* L_17 = V_0; return L_17; } } // UnityEngine.Rect UnityEngine.RectTransform::get_rect() extern "C" Rect_t2469536665 RectTransform_get_rect_m610423680 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_rect_m3765354181(__this, (&V_0), /*hidden argument*/NULL); Rect_t2469536665 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Rect_t2469536665 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_rect(UnityEngine.Rect&) extern "C" void RectTransform_INTERNAL_get_rect_m3765354181 (RectTransform_t3407578435 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_rect_m3765354181_ftn) (RectTransform_t3407578435 *, Rect_t2469536665 *); static RectTransform_INTERNAL_get_rect_m3765354181_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_rect_m3765354181_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_rect(UnityEngine.Rect&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMin() extern "C" Vector2_t1870731928 RectTransform_get_anchorMin_m3441161050 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_anchorMin_m4074564332(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::set_anchorMin(UnityEngine.Vector2) extern "C" void RectTransform_set_anchorMin_m274625697 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { { RectTransform_INTERNAL_set_anchorMin_m4252666146(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_anchorMin(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchorMin_m4074564332 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_anchorMin_m4074564332_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_get_anchorMin_m4074564332_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_anchorMin_m4074564332_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_anchorMin(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::INTERNAL_set_anchorMin(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchorMin_m4252666146 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_set_anchorMin_m4252666146_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_set_anchorMin_m4252666146_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_set_anchorMin_m4252666146_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_set_anchorMin(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchorMax() extern "C" Vector2_t1870731928 RectTransform_get_anchorMax_m4218642556 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_anchorMax_m558339683(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::set_anchorMax(UnityEngine.Vector2) extern "C" void RectTransform_set_anchorMax_m2367371922 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { { RectTransform_INTERNAL_set_anchorMax_m2193655500(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_anchorMax(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchorMax_m558339683 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_anchorMax_m558339683_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_get_anchorMax_m558339683_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_anchorMax_m558339683_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_anchorMax(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::INTERNAL_set_anchorMax(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchorMax_m2193655500 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_set_anchorMax_m2193655500_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_set_anchorMax_m2193655500_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_set_anchorMax_m2193655500_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_set_anchorMax(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector2 UnityEngine.RectTransform::get_anchoredPosition() extern "C" Vector2_t1870731928 RectTransform_get_anchoredPosition_m3119073917 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_anchoredPosition_m2060521822(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::set_anchoredPosition(UnityEngine.Vector2) extern "C" void RectTransform_set_anchoredPosition_m4128631896 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { { RectTransform_INTERNAL_set_anchoredPosition_m3873542509(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_anchoredPosition(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_anchoredPosition_m2060521822 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_anchoredPosition_m2060521822_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_get_anchoredPosition_m2060521822_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_anchoredPosition_m2060521822_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_anchoredPosition(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::INTERNAL_set_anchoredPosition(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_anchoredPosition_m3873542509 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_set_anchoredPosition_m3873542509_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_set_anchoredPosition_m3873542509_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_set_anchoredPosition_m3873542509_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_set_anchoredPosition(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector2 UnityEngine.RectTransform::get_sizeDelta() extern "C" Vector2_t1870731928 RectTransform_get_sizeDelta_m3538854401 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_sizeDelta_m2771981222(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::set_sizeDelta(UnityEngine.Vector2) extern "C" void RectTransform_set_sizeDelta_m1899433482 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { { RectTransform_INTERNAL_set_sizeDelta_m4011499190(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_sizeDelta(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_sizeDelta_m2771981222 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_sizeDelta_m2771981222_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_get_sizeDelta_m2771981222_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_sizeDelta_m2771981222_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_sizeDelta(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::INTERNAL_set_sizeDelta(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_sizeDelta_m4011499190 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_set_sizeDelta_m4011499190_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_set_sizeDelta_m4011499190_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_set_sizeDelta_m4011499190_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_set_sizeDelta(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector2 UnityEngine.RectTransform::get_pivot() extern "C" Vector2_t1870731928 RectTransform_get_pivot_m3853786190 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_INTERNAL_get_pivot_m942899449(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.RectTransform::set_pivot(UnityEngine.Vector2) extern "C" void RectTransform_set_pivot_m1507889694 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { { RectTransform_INTERNAL_set_pivot_m3013287930(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::INTERNAL_get_pivot(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_get_pivot_m942899449 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_get_pivot_m942899449_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_get_pivot_m942899449_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_get_pivot_m942899449_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_get_pivot(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::INTERNAL_set_pivot(UnityEngine.Vector2&) extern "C" void RectTransform_INTERNAL_set_pivot_m3013287930 (RectTransform_t3407578435 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*RectTransform_INTERNAL_set_pivot_m3013287930_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *); static RectTransform_INTERNAL_set_pivot_m3013287930_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransform_INTERNAL_set_pivot_m3013287930_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransform::INTERNAL_set_pivot(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.RectTransform::add_reapplyDrivenProperties(UnityEngine.RectTransform/ReapplyDrivenProperties) extern "C" void RectTransform_add_reapplyDrivenProperties_m410075154 (RuntimeObject * __this /* static, unused */, ReapplyDrivenProperties_t176550961 * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_add_reapplyDrivenProperties_m410075154_MetadataUsageId); s_Il2CppMethodInitialized = true; } ReapplyDrivenProperties_t176550961 * V_0 = NULL; ReapplyDrivenProperties_t176550961 * V_1 = NULL; { ReapplyDrivenProperties_t176550961 * L_0 = ((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_2(); V_0 = L_0; } IL_0006: { ReapplyDrivenProperties_t176550961 * L_1 = V_0; V_1 = L_1; ReapplyDrivenProperties_t176550961 * L_2 = V_1; ReapplyDrivenProperties_t176550961 * L_3 = ___value0; Delegate_t321273466 * L_4 = Delegate_Combine_m3098582791(NULL /*static, unused*/, L_2, L_3, /*hidden argument*/NULL); ReapplyDrivenProperties_t176550961 * L_5 = V_0; ReapplyDrivenProperties_t176550961 * L_6 = InterlockedCompareExchangeImpl<ReapplyDrivenProperties_t176550961 *>((((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_address_of_reapplyDrivenProperties_2()), ((ReapplyDrivenProperties_t176550961 *)CastclassSealed((RuntimeObject*)L_4, ReapplyDrivenProperties_t176550961_il2cpp_TypeInfo_var)), L_5); V_0 = L_6; ReapplyDrivenProperties_t176550961 * L_7 = V_0; ReapplyDrivenProperties_t176550961 * L_8 = V_1; if ((!(((RuntimeObject*)(ReapplyDrivenProperties_t176550961 *)L_7) == ((RuntimeObject*)(ReapplyDrivenProperties_t176550961 *)L_8)))) { goto IL_0006; } } { return; } } // System.Void UnityEngine.RectTransform::remove_reapplyDrivenProperties(UnityEngine.RectTransform/ReapplyDrivenProperties) extern "C" void RectTransform_remove_reapplyDrivenProperties_m1454208630 (RuntimeObject * __this /* static, unused */, ReapplyDrivenProperties_t176550961 * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_remove_reapplyDrivenProperties_m1454208630_MetadataUsageId); s_Il2CppMethodInitialized = true; } ReapplyDrivenProperties_t176550961 * V_0 = NULL; ReapplyDrivenProperties_t176550961 * V_1 = NULL; { ReapplyDrivenProperties_t176550961 * L_0 = ((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_2(); V_0 = L_0; } IL_0006: { ReapplyDrivenProperties_t176550961 * L_1 = V_0; V_1 = L_1; ReapplyDrivenProperties_t176550961 * L_2 = V_1; ReapplyDrivenProperties_t176550961 * L_3 = ___value0; Delegate_t321273466 * L_4 = Delegate_Remove_m3238456979(NULL /*static, unused*/, L_2, L_3, /*hidden argument*/NULL); ReapplyDrivenProperties_t176550961 * L_5 = V_0; ReapplyDrivenProperties_t176550961 * L_6 = InterlockedCompareExchangeImpl<ReapplyDrivenProperties_t176550961 *>((((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_address_of_reapplyDrivenProperties_2()), ((ReapplyDrivenProperties_t176550961 *)CastclassSealed((RuntimeObject*)L_4, ReapplyDrivenProperties_t176550961_il2cpp_TypeInfo_var)), L_5); V_0 = L_6; ReapplyDrivenProperties_t176550961 * L_7 = V_0; ReapplyDrivenProperties_t176550961 * L_8 = V_1; if ((!(((RuntimeObject*)(ReapplyDrivenProperties_t176550961 *)L_7) == ((RuntimeObject*)(ReapplyDrivenProperties_t176550961 *)L_8)))) { goto IL_0006; } } { return; } } // System.Void UnityEngine.RectTransform::SendReapplyDrivenProperties(UnityEngine.RectTransform) extern "C" void RectTransform_SendReapplyDrivenProperties_m2731732542 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___driven0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_SendReapplyDrivenProperties_m2731732542_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ReapplyDrivenProperties_t176550961 * L_0 = ((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_2(); if (!L_0) { goto IL_0016; } } { ReapplyDrivenProperties_t176550961 * L_1 = ((RectTransform_t3407578435_StaticFields*)il2cpp_codegen_static_fields_for(RectTransform_t3407578435_il2cpp_TypeInfo_var))->get_reapplyDrivenProperties_2(); RectTransform_t3407578435 * L_2 = ___driven0; NullCheck(L_1); ReapplyDrivenProperties_Invoke_m1674576935(L_1, L_2, /*hidden argument*/NULL); } IL_0016: { return; } } // System.Void UnityEngine.RectTransform::GetLocalCorners(UnityEngine.Vector3[]) extern "C" void RectTransform_GetLocalCorners_m2199595827 (RectTransform_t3407578435 * __this, Vector3U5BU5D_t4045887177* ___fourCornersArray0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_GetLocalCorners_m2199595827_MetadataUsageId); s_Il2CppMethodInitialized = true; } Rect_t2469536665 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_t4045887177* L_0 = ___fourCornersArray0; if (!L_0) { goto IL_0010; } } { Vector3U5BU5D_t4045887177* 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_t388371763_il2cpp_TypeInfo_var); Debug_LogError_m4283079280(NULL /*static, unused*/, _stringLiteral81114824, /*hidden argument*/NULL); goto IL_00aa; } IL_0020: { Rect_t2469536665 L_2 = RectTransform_get_rect_m610423680(__this, /*hidden argument*/NULL); V_0 = L_2; float L_3 = Rect_get_x_m3057964883((&V_0), /*hidden argument*/NULL); V_1 = L_3; float L_4 = Rect_get_y_m1036027857((&V_0), /*hidden argument*/NULL); V_2 = L_4; float L_5 = Rect_get_xMax_m198616324((&V_0), /*hidden argument*/NULL); V_3 = L_5; float L_6 = Rect_get_yMax_m173172558((&V_0), /*hidden argument*/NULL); V_4 = L_6; Vector3U5BU5D_t4045887177* L_7 = ___fourCornersArray0; NullCheck(L_7); float L_8 = V_1; float L_9 = V_2; Vector3_t1874995928 L_10; memset(&L_10, 0, sizeof(L_10)); Vector3__ctor_m3100708551((&L_10), L_8, L_9, (0.0f), /*hidden argument*/NULL); *(Vector3_t1874995928 *)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_10; Vector3U5BU5D_t4045887177* L_11 = ___fourCornersArray0; NullCheck(L_11); float L_12 = V_1; float L_13 = V_4; Vector3_t1874995928 L_14; memset(&L_14, 0, sizeof(L_14)); Vector3__ctor_m3100708551((&L_14), L_12, L_13, (0.0f), /*hidden argument*/NULL); *(Vector3_t1874995928 *)((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_14; Vector3U5BU5D_t4045887177* L_15 = ___fourCornersArray0; NullCheck(L_15); float L_16 = V_3; float L_17 = V_4; Vector3_t1874995928 L_18; memset(&L_18, 0, sizeof(L_18)); Vector3__ctor_m3100708551((&L_18), L_16, L_17, (0.0f), /*hidden argument*/NULL); *(Vector3_t1874995928 *)((L_15)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_18; Vector3U5BU5D_t4045887177* L_19 = ___fourCornersArray0; NullCheck(L_19); float L_20 = V_3; float L_21 = V_2; Vector3_t1874995928 L_22; memset(&L_22, 0, sizeof(L_22)); Vector3__ctor_m3100708551((&L_22), L_20, L_21, (0.0f), /*hidden argument*/NULL); *(Vector3_t1874995928 *)((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(3))) = L_22; } IL_00aa: { return; } } // System.Void UnityEngine.RectTransform::GetWorldCorners(UnityEngine.Vector3[]) extern "C" void RectTransform_GetWorldCorners_m829995937 (RectTransform_t3407578435 * __this, Vector3U5BU5D_t4045887177* ___fourCornersArray0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_GetWorldCorners_m829995937_MetadataUsageId); s_Il2CppMethodInitialized = true; } Transform_t1640584944 * V_0 = NULL; int32_t V_1 = 0; { Vector3U5BU5D_t4045887177* L_0 = ___fourCornersArray0; if (!L_0) { goto IL_0010; } } { Vector3U5BU5D_t4045887177* 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_t388371763_il2cpp_TypeInfo_var); Debug_LogError_m4283079280(NULL /*static, unused*/, _stringLiteral3257568127, /*hidden argument*/NULL); goto IL_005e; } IL_0020: { Vector3U5BU5D_t4045887177* L_2 = ___fourCornersArray0; RectTransform_GetLocalCorners_m2199595827(__this, L_2, /*hidden argument*/NULL); Transform_t1640584944 * L_3 = Component_get_transform_m2528570676(__this, /*hidden argument*/NULL); V_0 = L_3; V_1 = 0; goto IL_0057; } IL_0035: { Vector3U5BU5D_t4045887177* L_4 = ___fourCornersArray0; int32_t L_5 = V_1; NullCheck(L_4); Transform_t1640584944 * L_6 = V_0; Vector3U5BU5D_t4045887177* L_7 = ___fourCornersArray0; int32_t L_8 = V_1; NullCheck(L_7); NullCheck(L_6); Vector3_t1874995928 L_9 = Transform_TransformPoint_m348817994(L_6, (*(Vector3_t1874995928 *)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_8)))), /*hidden argument*/NULL); *(Vector3_t1874995928 *)((L_4)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_5))) = L_9; int32_t L_10 = V_1; V_1 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_0057: { int32_t L_11 = V_1; if ((((int32_t)L_11) < ((int32_t)4))) { goto IL_0035; } } IL_005e: { return; } } // System.Void UnityEngine.RectTransform::set_offsetMin(UnityEngine.Vector2) extern "C" void RectTransform_set_offsetMin_m182144280 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_set_offsetMin_m182144280_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { Vector2_t1870731928 L_0 = ___value0; Vector2_t1870731928 L_1 = RectTransform_get_anchoredPosition_m3119073917(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_2 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_3 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_4 = Vector2_Scale_m191589513(NULL /*static, unused*/, L_2, L_3, /*hidden argument*/NULL); Vector2_t1870731928 L_5 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_1, L_4, /*hidden argument*/NULL); Vector2_t1870731928 L_6 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_0, L_5, /*hidden argument*/NULL); V_0 = L_6; Vector2_t1870731928 L_7 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_8 = V_0; Vector2_t1870731928 L_9 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_7, L_8, /*hidden argument*/NULL); RectTransform_set_sizeDelta_m1899433482(__this, L_9, /*hidden argument*/NULL); Vector2_t1870731928 L_10 = RectTransform_get_anchoredPosition_m3119073917(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_11 = V_0; Vector2_t1870731928 L_12 = Vector2_get_one_m4252096033(NULL /*static, unused*/, /*hidden argument*/NULL); Vector2_t1870731928 L_13 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_14 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_12, L_13, /*hidden argument*/NULL); Vector2_t1870731928 L_15 = Vector2_Scale_m191589513(NULL /*static, unused*/, L_11, L_14, /*hidden argument*/NULL); Vector2_t1870731928 L_16 = Vector2_op_Addition_m2319234471(NULL /*static, unused*/, L_10, L_15, /*hidden argument*/NULL); RectTransform_set_anchoredPosition_m4128631896(__this, L_16, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::set_offsetMax(UnityEngine.Vector2) extern "C" void RectTransform_set_offsetMax_m1732183102 (RectTransform_t3407578435 * __this, Vector2_t1870731928 ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_set_offsetMax_m1732183102_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { Vector2_t1870731928 L_0 = ___value0; Vector2_t1870731928 L_1 = RectTransform_get_anchoredPosition_m3119073917(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_2 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_3 = Vector2_get_one_m4252096033(NULL /*static, unused*/, /*hidden argument*/NULL); Vector2_t1870731928 L_4 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_5 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); Vector2_t1870731928 L_6 = Vector2_Scale_m191589513(NULL /*static, unused*/, L_2, L_5, /*hidden argument*/NULL); Vector2_t1870731928 L_7 = Vector2_op_Addition_m2319234471(NULL /*static, unused*/, L_1, L_6, /*hidden argument*/NULL); Vector2_t1870731928 L_8 = Vector2_op_Subtraction_m374821038(NULL /*static, unused*/, L_0, L_7, /*hidden argument*/NULL); V_0 = L_8; Vector2_t1870731928 L_9 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_10 = V_0; Vector2_t1870731928 L_11 = Vector2_op_Addition_m2319234471(NULL /*static, unused*/, L_9, L_10, /*hidden argument*/NULL); RectTransform_set_sizeDelta_m1899433482(__this, L_11, /*hidden argument*/NULL); Vector2_t1870731928 L_12 = RectTransform_get_anchoredPosition_m3119073917(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_13 = V_0; Vector2_t1870731928 L_14 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); Vector2_t1870731928 L_15 = Vector2_Scale_m191589513(NULL /*static, unused*/, L_13, L_14, /*hidden argument*/NULL); Vector2_t1870731928 L_16 = Vector2_op_Addition_m2319234471(NULL /*static, unused*/, L_12, L_15, /*hidden argument*/NULL); RectTransform_set_anchoredPosition_m4128631896(__this, L_16, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::SetInsetAndSizeFromParentEdge(UnityEngine.RectTransform/Edge,System.Single,System.Single) extern "C" void RectTransform_SetInsetAndSizeFromParentEdge_m1219603006 (RectTransform_t3407578435 * __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_t1870731928 V_3; memset(&V_3, 0, sizeof(V_3)); Vector2_t1870731928 V_4; memset(&V_4, 0, sizeof(V_4)); Vector2_t1870731928 V_5; memset(&V_5, 0, sizeof(V_5)); Vector2_t1870731928 V_6; memset(&V_6, 0, sizeof(V_6)); Vector2_t1870731928 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_t1870731928 * G_B12_1 = NULL; int32_t G_B11_0 = 0; Vector2_t1870731928 * G_B11_1 = NULL; float G_B13_0 = 0.0f; int32_t G_B13_1 = 0; Vector2_t1870731928 * 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_t1870731928 L_5 = RectTransform_get_anchorMin_m3441161050(__this, /*hidden argument*/NULL); V_3 = L_5; int32_t L_6 = V_0; float L_7 = V_2; Vector2_set_Item_m3135618009((&V_3), L_6, L_7, /*hidden argument*/NULL); Vector2_t1870731928 L_8 = V_3; RectTransform_set_anchorMin_m274625697(__this, L_8, /*hidden argument*/NULL); Vector2_t1870731928 L_9 = RectTransform_get_anchorMax_m4218642556(__this, /*hidden argument*/NULL); V_3 = L_9; int32_t L_10 = V_0; float L_11 = V_2; Vector2_set_Item_m3135618009((&V_3), L_10, L_11, /*hidden argument*/NULL); Vector2_t1870731928 L_12 = V_3; RectTransform_set_anchorMax_m2367371922(__this, L_12, /*hidden argument*/NULL); Vector2_t1870731928 L_13 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); V_4 = L_13; int32_t L_14 = V_0; float L_15 = ___size2; Vector2_set_Item_m3135618009((&V_4), L_14, L_15, /*hidden argument*/NULL); Vector2_t1870731928 L_16 = V_4; RectTransform_set_sizeDelta_m1899433482(__this, L_16, /*hidden argument*/NULL); Vector2_t1870731928 L_17 = RectTransform_get_anchoredPosition_m3119073917(__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_t1870731928 L_22 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); V_6 = L_22; int32_t L_23 = V_0; float L_24 = Vector2_get_Item_m1751239516((&V_6), L_23, /*hidden argument*/NULL); G_B13_0 = ((float)((float)((-L_20))-(float)((float)((float)L_21*(float)((float)((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_t1870731928 L_27 = RectTransform_get_pivot_m3853786190(__this, /*hidden argument*/NULL); V_7 = L_27; int32_t L_28 = V_0; float L_29 = Vector2_get_Item_m1751239516((&V_7), L_28, /*hidden argument*/NULL); G_B13_0 = ((float)((float)L_25+(float)((float)((float)L_26*(float)L_29)))); G_B13_1 = G_B12_0; G_B13_2 = G_B12_1; } IL_00c1: { Vector2_set_Item_m3135618009(G_B13_2, G_B13_1, G_B13_0, /*hidden argument*/NULL); Vector2_t1870731928 L_30 = V_5; RectTransform_set_anchoredPosition_m4128631896(__this, L_30, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.RectTransform::SetSizeWithCurrentAnchors(UnityEngine.RectTransform/Axis,System.Single) extern "C" void RectTransform_SetSizeWithCurrentAnchors_m3423854936 (RectTransform_t3407578435 * __this, int32_t ___axis0, float ___size1, const RuntimeMethod* method) { int32_t V_0 = 0; Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); Vector2_t1870731928 V_2; memset(&V_2, 0, sizeof(V_2)); Vector2_t1870731928 V_3; memset(&V_3, 0, sizeof(V_3)); Vector2_t1870731928 V_4; memset(&V_4, 0, sizeof(V_4)); { int32_t L_0 = ___axis0; V_0 = L_0; Vector2_t1870731928 L_1 = RectTransform_get_sizeDelta_m3538854401(__this, /*hidden argument*/NULL); V_1 = L_1; int32_t L_2 = V_0; float L_3 = ___size1; Vector2_t1870731928 L_4 = RectTransform_GetParentSize_m618469586(__this, /*hidden argument*/NULL); V_2 = L_4; int32_t L_5 = V_0; float L_6 = Vector2_get_Item_m1751239516((&V_2), L_5, /*hidden argument*/NULL); Vector2_t1870731928 L_7 = RectTransform_get_anchorMax_m4218642556(__this, /*hidden argument*/NULL); V_3 = L_7; int32_t L_8 = V_0; float L_9 = Vector2_get_Item_m1751239516((&V_3), L_8, /*hidden argument*/NULL); Vector2_t1870731928 L_10 = RectTransform_get_anchorMin_m3441161050(__this, /*hidden argument*/NULL); V_4 = L_10; int32_t L_11 = V_0; float L_12 = Vector2_get_Item_m1751239516((&V_4), L_11, /*hidden argument*/NULL); Vector2_set_Item_m3135618009((&V_1), L_2, ((float)((float)L_3-(float)((float)((float)L_6*(float)((float)((float)L_9-(float)L_12)))))), /*hidden argument*/NULL); Vector2_t1870731928 L_13 = V_1; RectTransform_set_sizeDelta_m1899433482(__this, L_13, /*hidden argument*/NULL); return; } } // UnityEngine.Vector2 UnityEngine.RectTransform::GetParentSize() extern "C" Vector2_t1870731928 RectTransform_GetParentSize_m618469586 (RectTransform_t3407578435 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransform_GetParentSize_m618469586_MetadataUsageId); s_Il2CppMethodInitialized = true; } RectTransform_t3407578435 * V_0 = NULL; Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); Rect_t2469536665 V_2; memset(&V_2, 0, sizeof(V_2)); { Transform_t1640584944 * L_0 = Transform_get_parent_m585142793(__this, /*hidden argument*/NULL); V_0 = ((RectTransform_t3407578435 *)IsInstSealed((RuntimeObject*)L_0, RectTransform_t3407578435_il2cpp_TypeInfo_var)); RectTransform_t3407578435 * L_1 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_2 = Object_op_Implicit_m2672474059(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); if (L_2) { goto IL_0023; } } { IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_3 = Vector2_get_zero_m3917677115(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = L_3; goto IL_0037; } IL_0023: { RectTransform_t3407578435 * L_4 = V_0; NullCheck(L_4); Rect_t2469536665 L_5 = RectTransform_get_rect_m610423680(L_4, /*hidden argument*/NULL); V_2 = L_5; Vector2_t1870731928 L_6 = Rect_get_size_m2360351274((&V_2), /*hidden argument*/NULL); V_1 = L_6; goto IL_0037; } IL_0037: { Vector2_t1870731928 L_7 = V_1; return L_7; } } // System.Void UnityEngine.RectTransform/ReapplyDrivenProperties::.ctor(System.Object,System.IntPtr) extern "C" void ReapplyDrivenProperties__ctor_m1932271539 (ReapplyDrivenProperties_t176550961 * __this, RuntimeObject * ___object0, IntPtr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1.get_m_value_0())); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Void UnityEngine.RectTransform/ReapplyDrivenProperties::Invoke(UnityEngine.RectTransform) extern "C" void ReapplyDrivenProperties_Invoke_m1674576935 (ReapplyDrivenProperties_t176550961 * __this, RectTransform_t3407578435 * ___driven0, const RuntimeMethod* method) { if(__this->get_prev_9() != NULL) { ReapplyDrivenProperties_Invoke_m1674576935((ReapplyDrivenProperties_t176550961 *)__this->get_prev_9(),___driven0, method); } il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); bool ___methodIsStatic = MethodIsStatic((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); if (__this->get_m_target_2() != NULL && ___methodIsStatic) { typedef void (*FunctionPointerType) (RuntimeObject *, void* __this, RectTransform_t3407578435 * ___driven0, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(NULL,__this->get_m_target_2(),___driven0,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } else if (__this->get_m_target_2() != NULL || ___methodIsStatic) { typedef void (*FunctionPointerType) (void* __this, RectTransform_t3407578435 * ___driven0, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(__this->get_m_target_2(),___driven0,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } else { typedef void (*FunctionPointerType) (void* __this, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(___driven0,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } } // System.IAsyncResult UnityEngine.RectTransform/ReapplyDrivenProperties::BeginInvoke(UnityEngine.RectTransform,System.AsyncCallback,System.Object) extern "C" RuntimeObject* ReapplyDrivenProperties_BeginInvoke_m2235922068 (ReapplyDrivenProperties_t176550961 * __this, RectTransform_t3407578435 * ___driven0, AsyncCallback_t3736623411 * ___callback1, RuntimeObject * ___object2, const RuntimeMethod* method) { void *__d_args[2] = {0}; __d_args[0] = ___driven0; return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((Il2CppDelegate*)__this, __d_args, (Il2CppDelegate*)___callback1, (RuntimeObject*)___object2); } // System.Void UnityEngine.RectTransform/ReapplyDrivenProperties::EndInvoke(System.IAsyncResult) extern "C" void ReapplyDrivenProperties_EndInvoke_m2440892762 (ReapplyDrivenProperties_t176550961 * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); } // System.Boolean UnityEngine.RectTransformUtility::ScreenPointToWorldPointInRectangle(UnityEngine.RectTransform,UnityEngine.Vector2,UnityEngine.Camera,UnityEngine.Vector3&) extern "C" bool RectTransformUtility_ScreenPointToWorldPointInRectangle_m2138441022 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 ___screenPoint1, Camera_t2217315075 * ___cam2, Vector3_t1874995928 * ___worldPoint3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_ScreenPointToWorldPointInRectangle_m2138441022_MetadataUsageId); s_Il2CppMethodInitialized = true; } Ray_t1507008441 V_0; memset(&V_0, 0, sizeof(V_0)); Plane_t3293887620 V_1; memset(&V_1, 0, sizeof(V_1)); float V_2 = 0.0f; bool V_3 = false; { Vector3_t1874995928 * L_0 = ___worldPoint3; IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_1 = Vector2_get_zero_m3917677115(NULL /*static, unused*/, /*hidden argument*/NULL); Vector3_t1874995928 L_2 = Vector2_op_Implicit_m839025256(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); *(Vector3_t1874995928 *)L_0 = L_2; Camera_t2217315075 * L_3 = ___cam2; Vector2_t1870731928 L_4 = ___screenPoint1; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); Ray_t1507008441 L_5 = RectTransformUtility_ScreenPointToRay_m3254631918(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); V_0 = L_5; RectTransform_t3407578435 * L_6 = ___rect0; NullCheck(L_6); Quaternion_t1904711730 L_7 = Transform_get_rotation_m1622360028(L_6, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Vector3_t1874995928_il2cpp_TypeInfo_var); Vector3_t1874995928 L_8 = Vector3_get_back_m1667810044(NULL /*static, unused*/, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Quaternion_t1904711730_il2cpp_TypeInfo_var); Vector3_t1874995928 L_9 = Quaternion_op_Multiply_m381074051(NULL /*static, unused*/, L_7, L_8, /*hidden argument*/NULL); RectTransform_t3407578435 * L_10 = ___rect0; NullCheck(L_10); Vector3_t1874995928 L_11 = Transform_get_position_m2613145496(L_10, /*hidden argument*/NULL); Plane__ctor_m1624649064((&V_1), L_9, L_11, /*hidden argument*/NULL); Ray_t1507008441 L_12 = V_0; bool L_13 = Plane_Raycast_m2203697554((&V_1), L_12, (&V_2), /*hidden argument*/NULL); if (L_13) { goto IL_004c; } } { V_3 = (bool)0; goto IL_0061; } IL_004c: { Vector3_t1874995928 * L_14 = ___worldPoint3; float L_15 = V_2; Vector3_t1874995928 L_16 = Ray_GetPoint_m154135282((&V_0), L_15, /*hidden argument*/NULL); *(Vector3_t1874995928 *)L_14 = L_16; V_3 = (bool)1; goto IL_0061; } IL_0061: { bool L_17 = V_3; return L_17; } } // System.Boolean UnityEngine.RectTransformUtility::ScreenPointToLocalPointInRectangle(UnityEngine.RectTransform,UnityEngine.Vector2,UnityEngine.Camera,UnityEngine.Vector2&) extern "C" bool RectTransformUtility_ScreenPointToLocalPointInRectangle_m2621875661 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 ___screenPoint1, Camera_t2217315075 * ___cam2, Vector2_t1870731928 * ___localPoint3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_ScreenPointToLocalPointInRectangle_m2621875661_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); bool V_1 = false; { Vector2_t1870731928 * L_0 = ___localPoint3; IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_1 = Vector2_get_zero_m3917677115(NULL /*static, unused*/, /*hidden argument*/NULL); *(Vector2_t1870731928 *)L_0 = L_1; RectTransform_t3407578435 * L_2 = ___rect0; Vector2_t1870731928 L_3 = ___screenPoint1; Camera_t2217315075 * L_4 = ___cam2; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); bool L_5 = RectTransformUtility_ScreenPointToWorldPointInRectangle_m2138441022(NULL /*static, unused*/, L_2, L_3, L_4, (&V_0), /*hidden argument*/NULL); if (!L_5) { goto IL_0035; } } { Vector2_t1870731928 * L_6 = ___localPoint3; RectTransform_t3407578435 * L_7 = ___rect0; Vector3_t1874995928 L_8 = V_0; NullCheck(L_7); Vector3_t1874995928 L_9 = Transform_InverseTransformPoint_m2060286796(L_7, L_8, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_10 = Vector2_op_Implicit_m2561097373(NULL /*static, unused*/, L_9, /*hidden argument*/NULL); *(Vector2_t1870731928 *)L_6 = L_10; V_1 = (bool)1; goto IL_003c; } IL_0035: { V_1 = (bool)0; goto IL_003c; } IL_003c: { bool L_11 = V_1; return L_11; } } // UnityEngine.Ray UnityEngine.RectTransformUtility::ScreenPointToRay(UnityEngine.Camera,UnityEngine.Vector2) extern "C" Ray_t1507008441 RectTransformUtility_ScreenPointToRay_m3254631918 (RuntimeObject * __this /* static, unused */, Camera_t2217315075 * ___cam0, Vector2_t1870731928 ___screenPos1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_ScreenPointToRay_m3254631918_MetadataUsageId); s_Il2CppMethodInitialized = true; } Ray_t1507008441 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Camera_t2217315075 * L_0 = ___cam0; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_001f; } } { Camera_t2217315075 * L_2 = ___cam0; Vector2_t1870731928 L_3 = ___screenPos1; IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector3_t1874995928 L_4 = Vector2_op_Implicit_m839025256(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); NullCheck(L_2); Ray_t1507008441 L_5 = Camera_ScreenPointToRay_m3494657524(L_2, L_4, /*hidden argument*/NULL); V_0 = L_5; goto IL_004a; } IL_001f: { Vector2_t1870731928 L_6 = ___screenPos1; IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector3_t1874995928 L_7 = Vector2_op_Implicit_m839025256(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); V_1 = L_7; Vector3_t1874995928 * L_8 = (&V_1); float L_9 = L_8->get_z_3(); L_8->set_z_3(((float)((float)L_9-(float)(100.0f)))); Vector3_t1874995928 L_10 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Vector3_t1874995928_il2cpp_TypeInfo_var); Vector3_t1874995928 L_11 = Vector3_get_forward_m994294507(NULL /*static, unused*/, /*hidden argument*/NULL); Ray_t1507008441 L_12; memset(&L_12, 0, sizeof(L_12)); Ray__ctor_m2316118450((&L_12), L_10, L_11, /*hidden argument*/NULL); V_0 = L_12; goto IL_004a; } IL_004a: { Ray_t1507008441 L_13 = V_0; return L_13; } } // System.Void UnityEngine.RectTransformUtility::FlipLayoutOnAxis(UnityEngine.RectTransform,System.Int32,System.Boolean,System.Boolean) extern "C" void RectTransformUtility_FlipLayoutOnAxis_m2556600855 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, int32_t ___axis1, bool ___keepPositioning2, bool ___recursive3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_FlipLayoutOnAxis_m2556600855_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; RectTransform_t3407578435 * V_1 = NULL; Vector2_t1870731928 V_2; memset(&V_2, 0, sizeof(V_2)); Vector2_t1870731928 V_3; memset(&V_3, 0, sizeof(V_3)); Vector2_t1870731928 V_4; memset(&V_4, 0, sizeof(V_4)); Vector2_t1870731928 V_5; memset(&V_5, 0, sizeof(V_5)); float V_6 = 0.0f; { RectTransform_t3407578435 * L_0 = ___rect0; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_0012; } } { goto IL_00f3; } IL_0012: { bool L_2 = ___recursive3; if (!L_2) { goto IL_0055; } } { V_0 = 0; goto IL_0048; } IL_0020: { RectTransform_t3407578435 * L_3 = ___rect0; int32_t L_4 = V_0; NullCheck(L_3); Transform_t1640584944 * L_5 = Transform_GetChild_m1738839666(L_3, L_4, /*hidden argument*/NULL); V_1 = ((RectTransform_t3407578435 *)IsInstSealed((RuntimeObject*)L_5, RectTransform_t3407578435_il2cpp_TypeInfo_var)); RectTransform_t3407578435 * L_6 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_7 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_6, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_7) { goto IL_0043; } } { RectTransform_t3407578435 * L_8 = V_1; int32_t L_9 = ___axis1; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); RectTransformUtility_FlipLayoutOnAxis_m2556600855(NULL /*static, unused*/, L_8, L_9, (bool)0, (bool)1, /*hidden argument*/NULL); } IL_0043: { int32_t L_10 = V_0; V_0 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_0048: { int32_t L_11 = V_0; RectTransform_t3407578435 * L_12 = ___rect0; NullCheck(L_12); int32_t L_13 = Transform_get_childCount_m4085376495(L_12, /*hidden argument*/NULL); if ((((int32_t)L_11) < ((int32_t)L_13))) { goto IL_0020; } } { } IL_0055: { RectTransform_t3407578435 * L_14 = ___rect0; NullCheck(L_14); Vector2_t1870731928 L_15 = RectTransform_get_pivot_m3853786190(L_14, /*hidden argument*/NULL); V_2 = L_15; int32_t L_16 = ___axis1; int32_t L_17 = ___axis1; float L_18 = Vector2_get_Item_m1751239516((&V_2), L_17, /*hidden argument*/NULL); Vector2_set_Item_m3135618009((&V_2), L_16, ((float)((float)(1.0f)-(float)L_18)), /*hidden argument*/NULL); RectTransform_t3407578435 * L_19 = ___rect0; Vector2_t1870731928 L_20 = V_2; NullCheck(L_19); RectTransform_set_pivot_m1507889694(L_19, L_20, /*hidden argument*/NULL); bool L_21 = ___keepPositioning2; if (!L_21) { goto IL_0084; } } { goto IL_00f3; } IL_0084: { RectTransform_t3407578435 * L_22 = ___rect0; NullCheck(L_22); Vector2_t1870731928 L_23 = RectTransform_get_anchoredPosition_m3119073917(L_22, /*hidden argument*/NULL); V_3 = L_23; int32_t L_24 = ___axis1; int32_t L_25 = ___axis1; float L_26 = Vector2_get_Item_m1751239516((&V_3), L_25, /*hidden argument*/NULL); Vector2_set_Item_m3135618009((&V_3), L_24, ((-L_26)), /*hidden argument*/NULL); RectTransform_t3407578435 * L_27 = ___rect0; Vector2_t1870731928 L_28 = V_3; NullCheck(L_27); RectTransform_set_anchoredPosition_m4128631896(L_27, L_28, /*hidden argument*/NULL); RectTransform_t3407578435 * L_29 = ___rect0; NullCheck(L_29); Vector2_t1870731928 L_30 = RectTransform_get_anchorMin_m3441161050(L_29, /*hidden argument*/NULL); V_4 = L_30; RectTransform_t3407578435 * L_31 = ___rect0; NullCheck(L_31); Vector2_t1870731928 L_32 = RectTransform_get_anchorMax_m4218642556(L_31, /*hidden argument*/NULL); V_5 = L_32; int32_t L_33 = ___axis1; float L_34 = Vector2_get_Item_m1751239516((&V_4), L_33, /*hidden argument*/NULL); V_6 = L_34; int32_t L_35 = ___axis1; int32_t L_36 = ___axis1; float L_37 = Vector2_get_Item_m1751239516((&V_5), L_36, /*hidden argument*/NULL); Vector2_set_Item_m3135618009((&V_4), L_35, ((float)((float)(1.0f)-(float)L_37)), /*hidden argument*/NULL); int32_t L_38 = ___axis1; float L_39 = V_6; Vector2_set_Item_m3135618009((&V_5), L_38, ((float)((float)(1.0f)-(float)L_39)), /*hidden argument*/NULL); RectTransform_t3407578435 * L_40 = ___rect0; Vector2_t1870731928 L_41 = V_4; NullCheck(L_40); RectTransform_set_anchorMin_m274625697(L_40, L_41, /*hidden argument*/NULL); RectTransform_t3407578435 * L_42 = ___rect0; Vector2_t1870731928 L_43 = V_5; NullCheck(L_42); RectTransform_set_anchorMax_m2367371922(L_42, L_43, /*hidden argument*/NULL); } IL_00f3: { return; } } // System.Void UnityEngine.RectTransformUtility::FlipLayoutAxes(UnityEngine.RectTransform,System.Boolean,System.Boolean) extern "C" void RectTransformUtility_FlipLayoutAxes_m7419031 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, bool ___keepPositioning1, bool ___recursive2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_FlipLayoutAxes_m7419031_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; RectTransform_t3407578435 * V_1 = NULL; { RectTransform_t3407578435 * L_0 = ___rect0; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_0012; } } { goto IL_00b4; } IL_0012: { bool L_2 = ___recursive2; if (!L_2) { goto IL_0054; } } { V_0 = 0; goto IL_0047; } IL_0020: { RectTransform_t3407578435 * L_3 = ___rect0; int32_t L_4 = V_0; NullCheck(L_3); Transform_t1640584944 * L_5 = Transform_GetChild_m1738839666(L_3, L_4, /*hidden argument*/NULL); V_1 = ((RectTransform_t3407578435 *)IsInstSealed((RuntimeObject*)L_5, RectTransform_t3407578435_il2cpp_TypeInfo_var)); RectTransform_t3407578435 * L_6 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_7 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_6, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_7) { goto IL_0042; } } { RectTransform_t3407578435 * L_8 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); RectTransformUtility_FlipLayoutAxes_m7419031(NULL /*static, unused*/, L_8, (bool)0, (bool)1, /*hidden argument*/NULL); } IL_0042: { int32_t L_9 = V_0; V_0 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0047: { int32_t L_10 = V_0; RectTransform_t3407578435 * L_11 = ___rect0; NullCheck(L_11); int32_t L_12 = Transform_get_childCount_m4085376495(L_11, /*hidden argument*/NULL); if ((((int32_t)L_10) < ((int32_t)L_12))) { goto IL_0020; } } { } IL_0054: { RectTransform_t3407578435 * L_13 = ___rect0; RectTransform_t3407578435 * L_14 = ___rect0; NullCheck(L_14); Vector2_t1870731928 L_15 = RectTransform_get_pivot_m3853786190(L_14, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); Vector2_t1870731928 L_16 = RectTransformUtility_GetTransposed_m2516868079(NULL /*static, unused*/, L_15, /*hidden argument*/NULL); NullCheck(L_13); RectTransform_set_pivot_m1507889694(L_13, L_16, /*hidden argument*/NULL); RectTransform_t3407578435 * L_17 = ___rect0; RectTransform_t3407578435 * L_18 = ___rect0; NullCheck(L_18); Vector2_t1870731928 L_19 = RectTransform_get_sizeDelta_m3538854401(L_18, /*hidden argument*/NULL); Vector2_t1870731928 L_20 = RectTransformUtility_GetTransposed_m2516868079(NULL /*static, unused*/, L_19, /*hidden argument*/NULL); NullCheck(L_17); RectTransform_set_sizeDelta_m1899433482(L_17, L_20, /*hidden argument*/NULL); bool L_21 = ___keepPositioning1; if (!L_21) { goto IL_0081; } } { goto IL_00b4; } IL_0081: { RectTransform_t3407578435 * L_22 = ___rect0; RectTransform_t3407578435 * L_23 = ___rect0; NullCheck(L_23); Vector2_t1870731928 L_24 = RectTransform_get_anchoredPosition_m3119073917(L_23, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); Vector2_t1870731928 L_25 = RectTransformUtility_GetTransposed_m2516868079(NULL /*static, unused*/, L_24, /*hidden argument*/NULL); NullCheck(L_22); RectTransform_set_anchoredPosition_m4128631896(L_22, L_25, /*hidden argument*/NULL); RectTransform_t3407578435 * L_26 = ___rect0; RectTransform_t3407578435 * L_27 = ___rect0; NullCheck(L_27); Vector2_t1870731928 L_28 = RectTransform_get_anchorMin_m3441161050(L_27, /*hidden argument*/NULL); Vector2_t1870731928 L_29 = RectTransformUtility_GetTransposed_m2516868079(NULL /*static, unused*/, L_28, /*hidden argument*/NULL); NullCheck(L_26); RectTransform_set_anchorMin_m274625697(L_26, L_29, /*hidden argument*/NULL); RectTransform_t3407578435 * L_30 = ___rect0; RectTransform_t3407578435 * L_31 = ___rect0; NullCheck(L_31); Vector2_t1870731928 L_32 = RectTransform_get_anchorMax_m4218642556(L_31, /*hidden argument*/NULL); Vector2_t1870731928 L_33 = RectTransformUtility_GetTransposed_m2516868079(NULL /*static, unused*/, L_32, /*hidden argument*/NULL); NullCheck(L_30); RectTransform_set_anchorMax_m2367371922(L_30, L_33, /*hidden argument*/NULL); } IL_00b4: { return; } } // UnityEngine.Vector2 UnityEngine.RectTransformUtility::GetTransposed(UnityEngine.Vector2) extern "C" Vector2_t1870731928 RectTransformUtility_GetTransposed_m2516868079 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___input0, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { float L_0 = (&___input0)->get_y_1(); float L_1 = (&___input0)->get_x_0(); Vector2_t1870731928 L_2; memset(&L_2, 0, sizeof(L_2)); Vector2__ctor_m3849347166((&L_2), L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_001a; } IL_001a: { Vector2_t1870731928 L_3 = V_0; return L_3; } } // System.Boolean UnityEngine.RectTransformUtility::RectangleContainsScreenPoint(UnityEngine.RectTransform,UnityEngine.Vector2,UnityEngine.Camera) extern "C" bool RectTransformUtility_RectangleContainsScreenPoint_m727638651 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 ___screenPoint1, Camera_t2217315075 * ___cam2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_RectangleContainsScreenPoint_m727638651_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; { RectTransform_t3407578435 * L_0 = ___rect0; Camera_t2217315075 * L_1 = ___cam2; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); bool L_2 = RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306(NULL /*static, unused*/, L_0, (&___screenPoint1), L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0010; } IL_0010: { bool L_3 = V_0; return L_3; } } // System.Boolean UnityEngine.RectTransformUtility::INTERNAL_CALL_RectangleContainsScreenPoint(UnityEngine.RectTransform,UnityEngine.Vector2&,UnityEngine.Camera) extern "C" bool RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rect0, Vector2_t1870731928 * ___screenPoint1, Camera_t2217315075 * ___cam2, const RuntimeMethod* method) { typedef bool (*RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306_ftn) (RectTransform_t3407578435 *, Vector2_t1870731928 *, Camera_t2217315075 *); static RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransformUtility_INTERNAL_CALL_RectangleContainsScreenPoint_m3444585306_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransformUtility::INTERNAL_CALL_RectangleContainsScreenPoint(UnityEngine.RectTransform,UnityEngine.Vector2&,UnityEngine.Camera)"); bool retVal = _il2cpp_icall_func(___rect0, ___screenPoint1, ___cam2); return retVal; } // UnityEngine.Vector2 UnityEngine.RectTransformUtility::PixelAdjustPoint(UnityEngine.Vector2,UnityEngine.Transform,UnityEngine.Canvas) extern "C" Vector2_t1870731928 RectTransformUtility_PixelAdjustPoint_m2079187242 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 ___point0, Transform_t1640584944 * ___elementTransform1, Canvas_t3766332218 * ___canvas2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_PixelAdjustPoint_m2079187242_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_t1640584944 * L_0 = ___elementTransform1; Canvas_t3766332218 * L_1 = ___canvas2; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089(NULL /*static, unused*/, (&___point0), L_0, L_1, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_2 = V_0; V_1 = L_2; goto IL_0013; } IL_0013: { Vector2_t1870731928 L_3 = V_1; return L_3; } } // System.Void UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustPoint(UnityEngine.Vector2&,UnityEngine.Transform,UnityEngine.Canvas,UnityEngine.Vector2&) extern "C" void RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089 (RuntimeObject * __this /* static, unused */, Vector2_t1870731928 * ___point0, Transform_t1640584944 * ___elementTransform1, Canvas_t3766332218 * ___canvas2, Vector2_t1870731928 * ___value3, const RuntimeMethod* method) { typedef void (*RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089_ftn) (Vector2_t1870731928 *, Transform_t1640584944 *, Canvas_t3766332218 *, Vector2_t1870731928 *); static RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransformUtility_INTERNAL_CALL_PixelAdjustPoint_m2674544089_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustPoint(UnityEngine.Vector2&,UnityEngine.Transform,UnityEngine.Canvas,UnityEngine.Vector2&)"); _il2cpp_icall_func(___point0, ___elementTransform1, ___canvas2, ___value3); } // UnityEngine.Rect UnityEngine.RectTransformUtility::PixelAdjustRect(UnityEngine.RectTransform,UnityEngine.Canvas) extern "C" Rect_t2469536665 RectTransformUtility_PixelAdjustRect_m1753024680 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rectTransform0, Canvas_t3766332218 * ___canvas1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility_PixelAdjustRect_m1753024680_MetadataUsageId); s_Il2CppMethodInitialized = true; } Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); { RectTransform_t3407578435 * L_0 = ___rectTransform0; Canvas_t3766332218 * L_1 = ___canvas1; IL2CPP_RUNTIME_CLASS_INIT(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var); RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682(NULL /*static, unused*/, L_0, L_1, (&V_0), /*hidden argument*/NULL); Rect_t2469536665 L_2 = V_0; V_1 = L_2; goto IL_0011; } IL_0011: { Rect_t2469536665 L_3 = V_1; return L_3; } } // System.Void UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustRect(UnityEngine.RectTransform,UnityEngine.Canvas,UnityEngine.Rect&) extern "C" void RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682 (RuntimeObject * __this /* static, unused */, RectTransform_t3407578435 * ___rectTransform0, Canvas_t3766332218 * ___canvas1, Rect_t2469536665 * ___value2, const RuntimeMethod* method) { typedef void (*RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682_ftn) (RectTransform_t3407578435 *, Canvas_t3766332218 *, Rect_t2469536665 *); static RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RectTransformUtility_INTERNAL_CALL_PixelAdjustRect_m3282917682_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RectTransformUtility::INTERNAL_CALL_PixelAdjustRect(UnityEngine.RectTransform,UnityEngine.Canvas,UnityEngine.Rect&)"); _il2cpp_icall_func(___rectTransform0, ___canvas1, ___value2); } // System.Void UnityEngine.RectTransformUtility::.cctor() extern "C" void RectTransformUtility__cctor_m542629147 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RectTransformUtility__cctor_m542629147_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ((RectTransformUtility_t3614849597_StaticFields*)il2cpp_codegen_static_fields_for(RectTransformUtility_t3614849597_il2cpp_TypeInfo_var))->set_s_Corners_0(((Vector3U5BU5D_t4045887177*)SZArrayNew(Vector3U5BU5D_t4045887177_il2cpp_TypeInfo_var, (uint32_t)4))); return; } } // System.Void UnityEngine.RemoteSettings::CallOnUpdate() extern "C" void RemoteSettings_CallOnUpdate_m2782037885 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (RemoteSettings_CallOnUpdate_m2782037885_MetadataUsageId); s_Il2CppMethodInitialized = true; } UpdatedEventHandler_t4030213559 * V_0 = NULL; { UpdatedEventHandler_t4030213559 * L_0 = ((RemoteSettings_t3551676527_StaticFields*)il2cpp_codegen_static_fields_for(RemoteSettings_t3551676527_il2cpp_TypeInfo_var))->get_Updated_0(); V_0 = L_0; UpdatedEventHandler_t4030213559 * L_1 = V_0; if (!L_1) { goto IL_0013; } } { UpdatedEventHandler_t4030213559 * L_2 = V_0; NullCheck(L_2); UpdatedEventHandler_Invoke_m843251864(L_2, /*hidden argument*/NULL); } IL_0013: { return; } } extern "C" void DelegatePInvokeWrapper_UpdatedEventHandler_t4030213559 (UpdatedEventHandler_t4030213559 * __this, const RuntimeMethod* method) { typedef void (STDCALL *PInvokeFunc)(); PInvokeFunc il2cppPInvokeFunc = reinterpret_cast<PInvokeFunc>(il2cpp_codegen_get_method_pointer(((Il2CppDelegate*)__this)->method)); // Native function invocation il2cppPInvokeFunc(); } // System.Void UnityEngine.RemoteSettings/UpdatedEventHandler::.ctor(System.Object,System.IntPtr) extern "C" void UpdatedEventHandler__ctor_m1188199518 (UpdatedEventHandler_t4030213559 * __this, RuntimeObject * ___object0, IntPtr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1.get_m_value_0())); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Void UnityEngine.RemoteSettings/UpdatedEventHandler::Invoke() extern "C" void UpdatedEventHandler_Invoke_m843251864 (UpdatedEventHandler_t4030213559 * __this, const RuntimeMethod* method) { if(__this->get_prev_9() != NULL) { UpdatedEventHandler_Invoke_m843251864((UpdatedEventHandler_t4030213559 *)__this->get_prev_9(), method); } il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); bool ___methodIsStatic = MethodIsStatic((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); if ((__this->get_m_target_2() != NULL || MethodHasParameters((RuntimeMethod*)(__this->get_method_3().get_m_value_0()))) && ___methodIsStatic) { typedef void (*FunctionPointerType) (RuntimeObject *, void* __this, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(NULL,__this->get_m_target_2(),(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } else { typedef void (*FunctionPointerType) (void* __this, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(__this->get_m_target_2(),(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } } // System.IAsyncResult UnityEngine.RemoteSettings/UpdatedEventHandler::BeginInvoke(System.AsyncCallback,System.Object) extern "C" RuntimeObject* UpdatedEventHandler_BeginInvoke_m345160485 (UpdatedEventHandler_t4030213559 * __this, AsyncCallback_t3736623411 * ___callback0, RuntimeObject * ___object1, const RuntimeMethod* method) { void *__d_args[1] = {0}; return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((Il2CppDelegate*)__this, __d_args, (Il2CppDelegate*)___callback0, (RuntimeObject*)___object1); } // System.Void UnityEngine.RemoteSettings/UpdatedEventHandler::EndInvoke(System.IAsyncResult) extern "C" void UpdatedEventHandler_EndInvoke_m4280188723 (UpdatedEventHandler_t4030213559 * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); } // System.Int32 UnityEngine.Renderer::get_sortingLayerID() extern "C" int32_t Renderer_get_sortingLayerID_m3401761267 (Renderer_t2033234653 * __this, const RuntimeMethod* method) { typedef int32_t (*Renderer_get_sortingLayerID_m3401761267_ftn) (Renderer_t2033234653 *); static Renderer_get_sortingLayerID_m3401761267_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Renderer_get_sortingLayerID_m3401761267_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" int32_t Renderer_get_sortingOrder_m1463613036 (Renderer_t2033234653 * __this, const RuntimeMethod* method) { typedef int32_t (*Renderer_get_sortingOrder_m1463613036_ftn) (Renderer_t2033234653 *); static Renderer_get_sortingOrder_m1463613036_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Renderer_get_sortingOrder_m1463613036_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Renderer::get_sortingOrder()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Int32 UnityEngine.RenderTexture::Internal_GetWidth(UnityEngine.RenderTexture) extern "C" int32_t RenderTexture_Internal_GetWidth_m4153549568 (RuntimeObject * __this /* static, unused */, RenderTexture_t20074727 * ___mono0, const RuntimeMethod* method) { typedef int32_t (*RenderTexture_Internal_GetWidth_m4153549568_ftn) (RenderTexture_t20074727 *); static RenderTexture_Internal_GetWidth_m4153549568_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RenderTexture_Internal_GetWidth_m4153549568_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::Internal_GetWidth(UnityEngine.RenderTexture)"); int32_t retVal = _il2cpp_icall_func(___mono0); return retVal; } // System.Int32 UnityEngine.RenderTexture::Internal_GetHeight(UnityEngine.RenderTexture) extern "C" int32_t RenderTexture_Internal_GetHeight_m3574274079 (RuntimeObject * __this /* static, unused */, RenderTexture_t20074727 * ___mono0, const RuntimeMethod* method) { typedef int32_t (*RenderTexture_Internal_GetHeight_m3574274079_ftn) (RenderTexture_t20074727 *); static RenderTexture_Internal_GetHeight_m3574274079_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (RenderTexture_Internal_GetHeight_m3574274079_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.RenderTexture::Internal_GetHeight(UnityEngine.RenderTexture)"); int32_t retVal = _il2cpp_icall_func(___mono0); return retVal; } // System.Int32 UnityEngine.RenderTexture::get_width() extern "C" int32_t RenderTexture_get_width_m4006750457 (RenderTexture_t20074727 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = RenderTexture_Internal_GetWidth_m4153549568(NULL /*static, unused*/, __this, /*hidden argument*/NULL); V_0 = L_0; goto IL_000d; } IL_000d: { int32_t L_1 = V_0; return L_1; } } // System.Int32 UnityEngine.RenderTexture::get_height() extern "C" int32_t RenderTexture_get_height_m1126565645 (RenderTexture_t20074727 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = RenderTexture_Internal_GetHeight_m3574274079(NULL /*static, unused*/, __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.RequireComponent::.ctor(System.Type) extern "C" void RequireComponent__ctor_m297839637 (RequireComponent_t3347582808 * __this, Type_t * ___requiredComponent0, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); Type_t * L_0 = ___requiredComponent0; __this->set_m_Type0_0(L_0); return; } } // Conversion methods for marshalling of: UnityEngine.ResourceRequest extern "C" void ResourceRequest_t2870213725_marshal_pinvoke(const ResourceRequest_t2870213725& unmarshaled, ResourceRequest_t2870213725_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___m_Type_2Exception = 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_2Exception); } extern "C" void ResourceRequest_t2870213725_marshal_pinvoke_back(const ResourceRequest_t2870213725_marshaled_pinvoke& marshaled, ResourceRequest_t2870213725& unmarshaled) { Il2CppCodeGenException* ___m_Type_2Exception = 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_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.ResourceRequest extern "C" void ResourceRequest_t2870213725_marshal_pinvoke_cleanup(ResourceRequest_t2870213725_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.ResourceRequest extern "C" void ResourceRequest_t2870213725_marshal_com(const ResourceRequest_t2870213725& unmarshaled, ResourceRequest_t2870213725_marshaled_com& marshaled) { Il2CppCodeGenException* ___m_Type_2Exception = 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_2Exception); } extern "C" void ResourceRequest_t2870213725_marshal_com_back(const ResourceRequest_t2870213725_marshaled_com& marshaled, ResourceRequest_t2870213725& unmarshaled) { Il2CppCodeGenException* ___m_Type_2Exception = 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_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.ResourceRequest extern "C" void ResourceRequest_t2870213725_marshal_com_cleanup(ResourceRequest_t2870213725_marshaled_com& marshaled) { } // System.Void UnityEngine.ResourceRequest::.ctor() extern "C" void ResourceRequest__ctor_m1807122273 (ResourceRequest_t2870213725 * __this, const RuntimeMethod* method) { { AsyncOperation__ctor_m1889712456(__this, /*hidden argument*/NULL); return; } } // UnityEngine.Object UnityEngine.ResourceRequest::get_asset() extern "C" Object_t1699899486 * ResourceRequest_get_asset_m2302936115 (ResourceRequest_t2870213725 * __this, const RuntimeMethod* method) { Object_t1699899486 * V_0 = NULL; { String_t* L_0 = __this->get_m_Path_1(); Type_t * L_1 = __this->get_m_Type_2(); Object_t1699899486 * L_2 = Resources_Load_m1768650614(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0018; } IL_0018: { Object_t1699899486 * L_3 = V_0; return L_3; } } // UnityEngine.Object UnityEngine.Resources::Load(System.String,System.Type) extern "C" Object_t1699899486 * Resources_Load_m1768650614 (RuntimeObject * __this /* static, unused */, String_t* ___path0, Type_t * ___systemTypeInstance1, const RuntimeMethod* method) { typedef Object_t1699899486 * (*Resources_Load_m1768650614_ftn) (String_t*, Type_t *); static Resources_Load_m1768650614_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Resources_Load_m1768650614_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Resources::Load(System.String,System.Type)"); Object_t1699899486 * retVal = _il2cpp_icall_func(___path0, ___systemTypeInstance1); return retVal; } // UnityEngine.Object UnityEngine.Resources::GetBuiltinResource(System.Type,System.String) extern "C" Object_t1699899486 * Resources_GetBuiltinResource_m2006739293 (RuntimeObject * __this /* static, unused */, Type_t * ___type0, String_t* ___path1, const RuntimeMethod* method) { typedef Object_t1699899486 * (*Resources_GetBuiltinResource_m2006739293_ftn) (Type_t *, String_t*); static Resources_GetBuiltinResource_m2006739293_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Resources_GetBuiltinResource_m2006739293_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Resources::GetBuiltinResource(System.Type,System.String)"); Object_t1699899486 * retVal = _il2cpp_icall_func(___type0, ___path1); return retVal; } // System.Single UnityEngine.Rigidbody::get_drag() extern "C" float Rigidbody_get_drag_m3714002422 (Rigidbody_t2944185830 * __this, const RuntimeMethod* method) { typedef float (*Rigidbody_get_drag_m3714002422_ftn) (Rigidbody_t2944185830 *); static Rigidbody_get_drag_m3714002422_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Rigidbody_get_drag_m3714002422_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Rigidbody::get_drag()"); float retVal = _il2cpp_icall_func(__this); return retVal; } // System.Single UnityEngine.Rigidbody::get_angularDrag() extern "C" float Rigidbody_get_angularDrag_m1214574356 (Rigidbody_t2944185830 * __this, const RuntimeMethod* method) { typedef float (*Rigidbody_get_angularDrag_m1214574356_ftn) (Rigidbody_t2944185830 *); static Rigidbody_get_angularDrag_m1214574356_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Rigidbody_get_angularDrag_m1214574356_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Rigidbody::get_angularDrag()"); float retVal = _il2cpp_icall_func(__this); return retVal; } // System.Single UnityEngine.Rigidbody::get_mass() extern "C" float Rigidbody_get_mass_m3321484924 (Rigidbody_t2944185830 * __this, const RuntimeMethod* method) { typedef float (*Rigidbody_get_mass_m3321484924_ftn) (Rigidbody_t2944185830 *); static Rigidbody_get_mass_m3321484924_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Rigidbody_get_mass_m3321484924_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Rigidbody::get_mass()"); float retVal = _il2cpp_icall_func(__this); return retVal; } // System.Int32 UnityEngine.SceneManagement.Scene::get_handle() extern "C" int32_t Scene_get_handle_m261370616 (Scene_t2427896891 * __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_m261370616_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Scene_t2427896891 * _thisAdjusted = reinterpret_cast<Scene_t2427896891 *>(__this + 1); return Scene_get_handle_m261370616(_thisAdjusted, method); } // System.Int32 UnityEngine.SceneManagement.Scene::GetHashCode() extern "C" int32_t Scene_GetHashCode_m2152023469 (Scene_t2427896891 * __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_m2152023469_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Scene_t2427896891 * _thisAdjusted = reinterpret_cast<Scene_t2427896891 *>(__this + 1); return Scene_GetHashCode_m2152023469(_thisAdjusted, method); } // System.Boolean UnityEngine.SceneManagement.Scene::Equals(System.Object) extern "C" bool Scene_Equals_m1172862761 (Scene_t2427896891 * __this, RuntimeObject * ___other0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Scene_Equals_m1172862761_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; Scene_t2427896891 V_1; memset(&V_1, 0, sizeof(V_1)); { RuntimeObject * L_0 = ___other0; if (((RuntimeObject *)IsInstSealed((RuntimeObject*)L_0, Scene_t2427896891_il2cpp_TypeInfo_var))) { goto IL_0013; } } { V_0 = (bool)0; goto IL_002f; } IL_0013: { RuntimeObject * L_1 = ___other0; V_1 = ((*(Scene_t2427896891 *)((Scene_t2427896891 *)UnBox(L_1, Scene_t2427896891_il2cpp_TypeInfo_var)))); int32_t L_2 = Scene_get_handle_m261370616(__this, /*hidden argument*/NULL); int32_t L_3 = Scene_get_handle_m261370616((&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_m1172862761_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___other0, const RuntimeMethod* method) { Scene_t2427896891 * _thisAdjusted = reinterpret_cast<Scene_t2427896891 *>(__this + 1); return Scene_Equals_m1172862761(_thisAdjusted, ___other0, method); } // System.Void UnityEngine.SceneManagement.SceneManager::LoadScene(System.String) extern "C" void SceneManager_LoadScene_m252729828 (RuntimeObject * __this /* static, unused */, String_t* ___sceneName0, const RuntimeMethod* method) { int32_t V_0 = 0; { V_0 = 0; String_t* L_0 = ___sceneName0; int32_t L_1 = V_0; SceneManager_LoadScene_m592335891(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SceneManagement.SceneManager::LoadScene(System.String,UnityEngine.SceneManagement.LoadSceneMode) extern "C" void SceneManager_LoadScene_m592335891 (RuntimeObject * __this /* static, unused */, String_t* ___sceneName0, int32_t ___mode1, const RuntimeMethod* method) { int32_t G_B2_0 = 0; String_t* G_B2_1 = NULL; int32_t G_B1_0 = 0; String_t* G_B1_1 = NULL; int32_t G_B3_0 = 0; int32_t G_B3_1 = 0; String_t* G_B3_2 = NULL; { String_t* L_0 = ___sceneName0; int32_t L_1 = ___mode1; G_B1_0 = (-1); G_B1_1 = L_0; if ((!(((uint32_t)L_1) == ((uint32_t)1)))) { G_B2_0 = (-1); G_B2_1 = L_0; goto IL_0010; } } { G_B3_0 = 1; G_B3_1 = G_B1_0; G_B3_2 = G_B1_1; goto IL_0011; } IL_0010: { G_B3_0 = 0; G_B3_1 = G_B2_0; G_B3_2 = G_B2_1; } IL_0011: { SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011(NULL /*static, unused*/, G_B3_2, G_B3_1, (bool)G_B3_0, (bool)1, /*hidden argument*/NULL); return; } } // UnityEngine.AsyncOperation UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal(System.String,System.Int32,System.Boolean,System.Boolean) extern "C" AsyncOperation_t1471752968 * SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011 (RuntimeObject * __this /* static, unused */, String_t* ___sceneName0, int32_t ___sceneBuildIndex1, bool ___isAdditive2, bool ___mustCompleteNextFrame3, const RuntimeMethod* method) { typedef AsyncOperation_t1471752968 * (*SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011_ftn) (String_t*, int32_t, bool, bool); static SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SceneManager_LoadSceneAsyncNameIndexInternal_m2150844011_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SceneManagement.SceneManager::LoadSceneAsyncNameIndexInternal(System.String,System.Int32,System.Boolean,System.Boolean)"); AsyncOperation_t1471752968 * retVal = _il2cpp_icall_func(___sceneName0, ___sceneBuildIndex1, ___isAdditive2, ___mustCompleteNextFrame3); return retVal; } // System.Void UnityEngine.SceneManagement.SceneManager::Internal_SceneLoaded(UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode) extern "C" void SceneManager_Internal_SceneLoaded_m1257067979 (RuntimeObject * __this /* static, unused */, Scene_t2427896891 ___scene0, int32_t ___mode1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SceneManager_Internal_SceneLoaded_m1257067979_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UnityAction_2_t324713334 * L_0 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_sceneLoaded_0(); if (!L_0) { goto IL_0019; } } { UnityAction_2_t324713334 * L_1 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_sceneLoaded_0(); Scene_t2427896891 L_2 = ___scene0; int32_t L_3 = ___mode1; NullCheck(L_1); UnityAction_2_Invoke_m3477131479(L_1, L_2, L_3, /*hidden argument*/UnityAction_2_Invoke_m3477131479_RuntimeMethod_var); } IL_0019: { return; } } // System.Void UnityEngine.SceneManagement.SceneManager::Internal_SceneUnloaded(UnityEngine.SceneManagement.Scene) extern "C" void SceneManager_Internal_SceneUnloaded_m4223308018 (RuntimeObject * __this /* static, unused */, Scene_t2427896891 ___scene0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SceneManager_Internal_SceneUnloaded_m4223308018_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UnityAction_1_t1759667896 * L_0 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_sceneUnloaded_1(); if (!L_0) { goto IL_0018; } } { UnityAction_1_t1759667896 * L_1 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_sceneUnloaded_1(); Scene_t2427896891 L_2 = ___scene0; NullCheck(L_1); UnityAction_1_Invoke_m2798480181(L_1, L_2, /*hidden argument*/UnityAction_1_Invoke_m2798480181_RuntimeMethod_var); } IL_0018: { return; } } // System.Void UnityEngine.SceneManagement.SceneManager::Internal_ActiveSceneChanged(UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene) extern "C" void SceneManager_Internal_ActiveSceneChanged_m1171664896 (RuntimeObject * __this /* static, unused */, Scene_t2427896891 ___previousActiveScene0, Scene_t2427896891 ___newActiveScene1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SceneManager_Internal_ActiveSceneChanged_m1171664896_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UnityAction_2_t2810360728 * L_0 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_activeSceneChanged_2(); if (!L_0) { goto IL_0019; } } { UnityAction_2_t2810360728 * L_1 = ((SceneManager_t3410669746_StaticFields*)il2cpp_codegen_static_fields_for(SceneManager_t3410669746_il2cpp_TypeInfo_var))->get_activeSceneChanged_2(); Scene_t2427896891 L_2 = ___previousActiveScene0; Scene_t2427896891 L_3 = ___newActiveScene1; NullCheck(L_1); UnityAction_2_Invoke_m967090385(L_1, L_2, L_3, /*hidden argument*/UnityAction_2_Invoke_m967090385_RuntimeMethod_var); } IL_0019: { return; } } // System.Int32 UnityEngine.Screen::get_width() extern "C" int32_t Screen_get_width_m1073195234 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef int32_t (*Screen_get_width_m1073195234_ftn) (); static Screen_get_width_m1073195234_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Screen_get_width_m1073195234_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" int32_t Screen_get_height_m2677273179 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef int32_t (*Screen_get_height_m2677273179_ftn) (); static Screen_get_height_m2677273179_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Screen_get_height_m2677273179_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" float Screen_get_dpi_m506705482 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef float (*Screen_get_dpi_m506705482_ftn) (); static Screen_get_dpi_m506705482_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Screen_get_dpi_m506705482_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Screen::get_dpi()"); float retVal = _il2cpp_icall_func(); return retVal; } // Conversion methods for marshalling of: UnityEngine.ScriptableObject extern "C" void ScriptableObject_t3476656374_marshal_pinvoke(const ScriptableObject_t3476656374& unmarshaled, ScriptableObject_t3476656374_marshaled_pinvoke& marshaled) { marshaled.___m_CachedPtr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_CachedPtr_0()).get_m_value_0()); } extern "C" void ScriptableObject_t3476656374_marshal_pinvoke_back(const ScriptableObject_t3476656374_marshaled_pinvoke& marshaled, ScriptableObject_t3476656374& unmarshaled) { IntPtr_t unmarshaled_m_CachedPtr_temp_0; memset(&unmarshaled_m_CachedPtr_temp_0, 0, sizeof(unmarshaled_m_CachedPtr_temp_0)); IntPtr_t unmarshaled_m_CachedPtr_temp_0_temp; unmarshaled_m_CachedPtr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_CachedPtr_0))); unmarshaled_m_CachedPtr_temp_0 = unmarshaled_m_CachedPtr_temp_0_temp; unmarshaled.set_m_CachedPtr_0(unmarshaled_m_CachedPtr_temp_0); } // Conversion method for clean up from marshalling of: UnityEngine.ScriptableObject extern "C" void ScriptableObject_t3476656374_marshal_pinvoke_cleanup(ScriptableObject_t3476656374_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.ScriptableObject extern "C" void ScriptableObject_t3476656374_marshal_com(const ScriptableObject_t3476656374& unmarshaled, ScriptableObject_t3476656374_marshaled_com& marshaled) { marshaled.___m_CachedPtr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_CachedPtr_0()).get_m_value_0()); } extern "C" void ScriptableObject_t3476656374_marshal_com_back(const ScriptableObject_t3476656374_marshaled_com& marshaled, ScriptableObject_t3476656374& unmarshaled) { IntPtr_t unmarshaled_m_CachedPtr_temp_0; memset(&unmarshaled_m_CachedPtr_temp_0, 0, sizeof(unmarshaled_m_CachedPtr_temp_0)); IntPtr_t unmarshaled_m_CachedPtr_temp_0_temp; unmarshaled_m_CachedPtr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_CachedPtr_0))); unmarshaled_m_CachedPtr_temp_0 = unmarshaled_m_CachedPtr_temp_0_temp; unmarshaled.set_m_CachedPtr_0(unmarshaled_m_CachedPtr_temp_0); } // Conversion method for clean up from marshalling of: UnityEngine.ScriptableObject extern "C" void ScriptableObject_t3476656374_marshal_com_cleanup(ScriptableObject_t3476656374_marshaled_com& marshaled) { } // System.Void UnityEngine.ScriptableObject::.ctor() extern "C" void ScriptableObject__ctor_m3631352648 (ScriptableObject_t3476656374 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (ScriptableObject__ctor_m3631352648_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); Object__ctor_m3590831833(__this, /*hidden argument*/NULL); ScriptableObject_Internal_CreateScriptableObject_m4292382641(NULL /*static, unused*/, __this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.ScriptableObject::Internal_CreateScriptableObject(UnityEngine.ScriptableObject) extern "C" void ScriptableObject_Internal_CreateScriptableObject_m4292382641 (RuntimeObject * __this /* static, unused */, ScriptableObject_t3476656374 * ___self0, const RuntimeMethod* method) { typedef void (*ScriptableObject_Internal_CreateScriptableObject_m4292382641_ftn) (ScriptableObject_t3476656374 *); static ScriptableObject_Internal_CreateScriptableObject_m4292382641_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (ScriptableObject_Internal_CreateScriptableObject_m4292382641_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.ScriptableObject::Internal_CreateScriptableObject(UnityEngine.ScriptableObject)"); _il2cpp_icall_func(___self0); } // UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstance(System.String) extern "C" ScriptableObject_t3476656374 * ScriptableObject_CreateInstance_m3941687629 (RuntimeObject * __this /* static, unused */, String_t* ___className0, const RuntimeMethod* method) { typedef ScriptableObject_t3476656374 * (*ScriptableObject_CreateInstance_m3941687629_ftn) (String_t*); static ScriptableObject_CreateInstance_m3941687629_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (ScriptableObject_CreateInstance_m3941687629_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.ScriptableObject::CreateInstance(System.String)"); ScriptableObject_t3476656374 * retVal = _il2cpp_icall_func(___className0); return retVal; } // UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstance(System.Type) extern "C" ScriptableObject_t3476656374 * ScriptableObject_CreateInstance_m2132671409 (RuntimeObject * __this /* static, unused */, Type_t * ___type0, const RuntimeMethod* method) { ScriptableObject_t3476656374 * V_0 = NULL; { Type_t * L_0 = ___type0; ScriptableObject_t3476656374 * L_1 = ScriptableObject_CreateInstanceFromType_m702009406(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); V_0 = L_1; goto IL_000d; } IL_000d: { ScriptableObject_t3476656374 * L_2 = V_0; return L_2; } } // UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstanceFromType(System.Type) extern "C" ScriptableObject_t3476656374 * ScriptableObject_CreateInstanceFromType_m702009406 (RuntimeObject * __this /* static, unused */, Type_t * ___type0, const RuntimeMethod* method) { typedef ScriptableObject_t3476656374 * (*ScriptableObject_CreateInstanceFromType_m702009406_ftn) (Type_t *); static ScriptableObject_CreateInstanceFromType_m702009406_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (ScriptableObject_CreateInstanceFromType_m702009406_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.ScriptableObject::CreateInstanceFromType(System.Type)"); ScriptableObject_t3476656374 * retVal = _il2cpp_icall_func(___type0); return retVal; } // System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::.ctor(System.String,System.Boolean) extern "C" void MovedFromAttribute__ctor_m2187933057 (MovedFromAttribute_t3568563588 * __this, String_t* ___sourceNamespace0, bool ___isInDifferentAssembly1, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); String_t* L_0 = ___sourceNamespace0; MovedFromAttribute_set_Namespace_m4172378220(__this, L_0, /*hidden argument*/NULL); bool L_1 = ___isInDifferentAssembly1; MovedFromAttribute_set_IsInDifferentAssembly_m444845717(__this, L_1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Scripting.APIUpdating.MovedFromAttribute::set_Namespace(System.String) extern "C" void MovedFromAttribute_set_Namespace_m4172378220 (MovedFromAttribute_t3568563588 * __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" void MovedFromAttribute_set_IsInDifferentAssembly_m444845717 (MovedFromAttribute_t3568563588 * __this, bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; __this->set_U3CIsInDifferentAssemblyU3Ek__BackingField_1(L_0); return; } } // System.Void UnityEngine.Scripting.GeneratedByOldBindingsGeneratorAttribute::.ctor() extern "C" void GeneratedByOldBindingsGeneratorAttribute__ctor_m2360668981 (GeneratedByOldBindingsGeneratorAttribute_t950238300 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Scripting.RequiredByNativeCodeAttribute::.ctor() extern "C" void RequiredByNativeCodeAttribute__ctor_m4271562432 (RequiredByNativeCodeAttribute_t1030793160 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Scripting.UsedByNativeCodeAttribute::.ctor() extern "C" void UsedByNativeCodeAttribute__ctor_m3877995855 (UsedByNativeCodeAttribute_t1852015182 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.ScrollViewState::.ctor() extern "C" void ScrollViewState__ctor_m987301477 (ScrollViewState_t3487613754 * __this, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SelectionBaseAttribute::.ctor() extern "C" void SelectionBaseAttribute__ctor_m1186111551 (SelectionBaseAttribute_t1488500766 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SendMouseEvents::SetMouseMoved() extern "C" void SendMouseEvents_SetMouseMoved_m941229115 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SendMouseEvents_SetMouseMoved_m941229115_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)1); return; } } // System.Void UnityEngine.SendMouseEvents::DoSendMouseEvents(System.Int32) extern "C" void SendMouseEvents_DoSendMouseEvents_m2228758719 (RuntimeObject * __this /* static, unused */, int32_t ___skipRTCameras0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SendMouseEvents_DoSendMouseEvents_m2228758719_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); int32_t V_1 = 0; int32_t V_2 = 0; HitInfo_t2599499320 V_3; memset(&V_3, 0, sizeof(V_3)); Camera_t2217315075 * V_4 = NULL; CameraU5BU5D_t1852821906* V_5 = NULL; int32_t V_6 = 0; Rect_t2469536665 V_7; memset(&V_7, 0, sizeof(V_7)); GUILayer_t1038811396 * V_8 = NULL; GUIElement_t3542088430 * V_9 = NULL; Ray_t1507008441 V_10; memset(&V_10, 0, sizeof(V_10)); float V_11 = 0.0f; Vector3_t1874995928 V_12; memset(&V_12, 0, sizeof(V_12)); float V_13 = 0.0f; GameObject_t1817748288 * V_14 = NULL; GameObject_t1817748288 * V_15 = NULL; int32_t V_16 = 0; float G_B24_0 = 0.0f; { IL2CPP_RUNTIME_CLASS_INIT(Input_t410419983_il2cpp_TypeInfo_var); Vector3_t1874995928 L_0 = Input_get_mousePosition_m1054542597(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = L_0; int32_t L_1 = Camera_get_allCamerasCount_m3767501033(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = L_1; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); CameraU5BU5D_t1852821906* L_2 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_Cameras_4(); if (!L_2) { goto IL_0024; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); CameraU5BU5D_t1852821906* L_3 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_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; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_m_Cameras_4(((CameraU5BU5D_t1852821906*)SZArrayNew(CameraU5BU5D_t1852821906_il2cpp_TypeInfo_var, (uint32_t)L_5))); } IL_002f: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); CameraU5BU5D_t1852821906* L_6 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_Cameras_4(); Camera_GetAllCameras_m949248155(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); V_2 = 0; goto IL_005e; } IL_0041: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_7 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); int32_t L_8 = V_2; NullCheck(L_7); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_3)); HitInfo_t2599499320 L_9 = V_3; *(HitInfo_t2599499320 *)((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_8))) = L_9; int32_t L_10 = V_2; V_2 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_005e: { int32_t L_11 = V_2; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_12 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_12); if ((((int32_t)L_11) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_12)->max_length))))))) { goto IL_0041; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); bool L_13 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_s_MouseUsed_0(); if (L_13) { goto IL_02ec; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); CameraU5BU5D_t1852821906* L_14 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_Cameras_4(); V_5 = L_14; V_6 = 0; goto IL_02e0; } IL_0086: { CameraU5BU5D_t1852821906* L_15 = V_5; int32_t L_16 = V_6; NullCheck(L_15); int32_t L_17 = L_16; Camera_t2217315075 * L_18 = (L_15)->GetAt(static_cast<il2cpp_array_size_t>(L_17)); V_4 = L_18; Camera_t2217315075 * L_19 = V_4; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_20 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_19, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (L_20) { goto IL_00b3; } } { int32_t L_21 = ___skipRTCameras0; if (!L_21) { goto IL_00b8; } } { Camera_t2217315075 * L_22 = V_4; NullCheck(L_22); RenderTexture_t20074727 * L_23 = Camera_get_targetTexture_m3090858759(L_22, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_24 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_23, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_24) { goto IL_00b8; } } IL_00b3: { goto IL_02da; } IL_00b8: { Camera_t2217315075 * L_25 = V_4; NullCheck(L_25); Rect_t2469536665 L_26 = Camera_get_pixelRect_m2286923801(L_25, /*hidden argument*/NULL); V_7 = L_26; Vector3_t1874995928 L_27 = V_0; bool L_28 = Rect_Contains_m2517822239((&V_7), L_27, /*hidden argument*/NULL); if (L_28) { goto IL_00d3; } } { goto IL_02da; } IL_00d3: { Camera_t2217315075 * L_29 = V_4; NullCheck(L_29); GUILayer_t1038811396 * L_30 = Component_GetComponent_TisGUILayer_t1038811396_m2215024115(L_29, /*hidden argument*/Component_GetComponent_TisGUILayer_t1038811396_m2215024115_RuntimeMethod_var); V_8 = L_30; GUILayer_t1038811396 * L_31 = V_8; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_32 = Object_op_Implicit_m2672474059(NULL /*static, unused*/, L_31, /*hidden argument*/NULL); if (!L_32) { goto IL_0154; } } { GUILayer_t1038811396 * L_33 = V_8; Vector3_t1874995928 L_34 = V_0; NullCheck(L_33); GUIElement_t3542088430 * L_35 = GUILayer_HitTest_m2956015084(L_33, L_34, /*hidden argument*/NULL); V_9 = L_35; GUIElement_t3542088430 * L_36 = V_9; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_37 = Object_op_Implicit_m2672474059(NULL /*static, unused*/, L_36, /*hidden argument*/NULL); if (!L_37) { goto IL_012f; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_38 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_38); GUIElement_t3542088430 * L_39 = V_9; NullCheck(L_39); GameObject_t1817748288 * L_40 = Component_get_gameObject_m707642590(L_39, /*hidden argument*/NULL); ((L_38)->GetAddressAt(static_cast<il2cpp_array_size_t>(0)))->set_target_0(L_40); HitInfoU5BU5D_t1129894377* L_41 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_41); Camera_t2217315075 * L_42 = V_4; ((L_41)->GetAddressAt(static_cast<il2cpp_array_size_t>(0)))->set_camera_1(L_42); goto IL_0153; } IL_012f: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_43 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_43); ((L_43)->GetAddressAt(static_cast<il2cpp_array_size_t>(0)))->set_target_0((GameObject_t1817748288 *)NULL); HitInfoU5BU5D_t1129894377* L_44 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_44); ((L_44)->GetAddressAt(static_cast<il2cpp_array_size_t>(0)))->set_camera_1((Camera_t2217315075 *)NULL); } IL_0153: { } IL_0154: { Camera_t2217315075 * L_45 = V_4; NullCheck(L_45); int32_t L_46 = Camera_get_eventMask_m4276045657(L_45, /*hidden argument*/NULL); if (L_46) { goto IL_0165; } } { goto IL_02da; } IL_0165: { Camera_t2217315075 * L_47 = V_4; Vector3_t1874995928 L_48 = V_0; NullCheck(L_47); Ray_t1507008441 L_49 = Camera_ScreenPointToRay_m3494657524(L_47, L_48, /*hidden argument*/NULL); V_10 = L_49; Vector3_t1874995928 L_50 = Ray_get_direction_m1260682127((&V_10), /*hidden argument*/NULL); V_12 = L_50; float L_51 = (&V_12)->get_z_3(); V_11 = L_51; float L_52 = V_11; IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_53 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, (0.0f), L_52, /*hidden argument*/NULL); if (!L_53) { goto IL_019c; } } { G_B24_0 = (std::numeric_limits<float>::infinity()); goto IL_01b3; } IL_019c: { Camera_t2217315075 * L_54 = V_4; NullCheck(L_54); float L_55 = Camera_get_farClipPlane_m3629941765(L_54, /*hidden argument*/NULL); Camera_t2217315075 * L_56 = V_4; NullCheck(L_56); float L_57 = Camera_get_nearClipPlane_m2826306394(L_56, /*hidden argument*/NULL); float L_58 = V_11; IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); float L_59 = fabsf(((float)((float)((float)((float)L_55-(float)L_57))/(float)L_58))); G_B24_0 = L_59; } IL_01b3: { V_13 = G_B24_0; Camera_t2217315075 * L_60 = V_4; Ray_t1507008441 L_61 = V_10; float L_62 = V_13; Camera_t2217315075 * L_63 = V_4; NullCheck(L_63); int32_t L_64 = Camera_get_cullingMask_m1972732196(L_63, /*hidden argument*/NULL); Camera_t2217315075 * L_65 = V_4; NullCheck(L_65); int32_t L_66 = Camera_get_eventMask_m4276045657(L_65, /*hidden argument*/NULL); NullCheck(L_60); GameObject_t1817748288 * L_67 = Camera_RaycastTry_m4172453051(L_60, L_61, L_62, ((int32_t)((int32_t)L_64&(int32_t)L_66)), /*hidden argument*/NULL); V_14 = L_67; GameObject_t1817748288 * L_68 = V_14; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_69 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_68, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_69) { goto IL_0209; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_70 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_70); GameObject_t1817748288 * L_71 = V_14; ((L_70)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_target_0(L_71); HitInfoU5BU5D_t1129894377* L_72 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_72); Camera_t2217315075 * L_73 = V_4; ((L_72)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_camera_1(L_73); goto IL_0247; } IL_0209: { Camera_t2217315075 * L_74 = V_4; NullCheck(L_74); int32_t L_75 = Camera_get_clearFlags_m1183877883(L_74, /*hidden argument*/NULL); if ((((int32_t)L_75) == ((int32_t)1))) { goto IL_0223; } } { Camera_t2217315075 * L_76 = V_4; NullCheck(L_76); int32_t L_77 = Camera_get_clearFlags_m1183877883(L_76, /*hidden argument*/NULL); if ((!(((uint32_t)L_77) == ((uint32_t)2)))) { goto IL_0247; } } IL_0223: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_78 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_78); ((L_78)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_target_0((GameObject_t1817748288 *)NULL); HitInfoU5BU5D_t1129894377* L_79 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_79); ((L_79)->GetAddressAt(static_cast<il2cpp_array_size_t>(1)))->set_camera_1((Camera_t2217315075 *)NULL); } IL_0247: { Camera_t2217315075 * L_80 = V_4; Ray_t1507008441 L_81 = V_10; float L_82 = V_13; Camera_t2217315075 * L_83 = V_4; NullCheck(L_83); int32_t L_84 = Camera_get_cullingMask_m1972732196(L_83, /*hidden argument*/NULL); Camera_t2217315075 * L_85 = V_4; NullCheck(L_85); int32_t L_86 = Camera_get_eventMask_m4276045657(L_85, /*hidden argument*/NULL); NullCheck(L_80); GameObject_t1817748288 * L_87 = Camera_RaycastTry2D_m2127444716(L_80, L_81, L_82, ((int32_t)((int32_t)L_84&(int32_t)L_86)), /*hidden argument*/NULL); V_15 = L_87; GameObject_t1817748288 * L_88 = V_15; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_89 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_88, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_89) { goto IL_029b; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_90 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_90); GameObject_t1817748288 * L_91 = V_15; ((L_90)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_target_0(L_91); HitInfoU5BU5D_t1129894377* L_92 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_92); Camera_t2217315075 * L_93 = V_4; ((L_92)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_camera_1(L_93); goto IL_02d9; } IL_029b: { Camera_t2217315075 * L_94 = V_4; NullCheck(L_94); int32_t L_95 = Camera_get_clearFlags_m1183877883(L_94, /*hidden argument*/NULL); if ((((int32_t)L_95) == ((int32_t)1))) { goto IL_02b5; } } { Camera_t2217315075 * L_96 = V_4; NullCheck(L_96); int32_t L_97 = Camera_get_clearFlags_m1183877883(L_96, /*hidden argument*/NULL); if ((!(((uint32_t)L_97) == ((uint32_t)2)))) { goto IL_02d9; } } IL_02b5: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_98 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_98); ((L_98)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_target_0((GameObject_t1817748288 *)NULL); HitInfoU5BU5D_t1129894377* L_99 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_99); ((L_99)->GetAddressAt(static_cast<il2cpp_array_size_t>(2)))->set_camera_1((Camera_t2217315075 *)NULL); } IL_02d9: { } IL_02da: { int32_t L_100 = V_6; V_6 = ((int32_t)((int32_t)L_100+(int32_t)1)); } IL_02e0: { int32_t L_101 = V_6; CameraU5BU5D_t1852821906* L_102 = V_5; NullCheck(L_102); if ((((int32_t)L_101) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_102)->max_length))))))) { goto IL_0086; } } { } IL_02ec: { V_16 = 0; goto IL_0312; } IL_02f4: { int32_t L_103 = V_16; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_104 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); int32_t L_105 = V_16; NullCheck(L_104); SendMouseEvents_SendEvents_m2289449225(NULL /*static, unused*/, L_103, (*(HitInfo_t2599499320 *)((L_104)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_105)))), /*hidden argument*/NULL); int32_t L_106 = V_16; V_16 = ((int32_t)((int32_t)L_106+(int32_t)1)); } IL_0312: { int32_t L_107 = V_16; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_108 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_CurrentHit_3(); NullCheck(L_108); if ((((int32_t)L_107) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_108)->max_length))))))) { goto IL_02f4; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)0); return; } } // System.Void UnityEngine.SendMouseEvents::SendEvents(System.Int32,UnityEngine.SendMouseEvents/HitInfo) extern "C" void SendMouseEvents_SendEvents_m2289449225 (RuntimeObject * __this /* static, unused */, int32_t ___i0, HitInfo_t2599499320 ___hit1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SendMouseEvents_SendEvents_m2289449225_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; bool V_1 = false; HitInfo_t2599499320 V_2; memset(&V_2, 0, sizeof(V_2)); { IL2CPP_RUNTIME_CLASS_INIT(Input_t410419983_il2cpp_TypeInfo_var); bool L_0 = Input_GetMouseButtonDown_m633428447(NULL /*static, unused*/, 0, /*hidden argument*/NULL); V_0 = L_0; bool L_1 = Input_GetMouseButton_m3999497136(NULL /*static, unused*/, 0, /*hidden argument*/NULL); V_1 = L_1; bool L_2 = V_0; if (!L_2) { goto IL_004f; } } { HitInfo_t2599499320 L_3 = ___hit1; bool L_4 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); if (!L_4) { goto IL_0049; } } { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_5 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_6 = ___i0; NullCheck(L_5); HitInfo_t2599499320 L_7 = ___hit1; *(HitInfo_t2599499320 *)((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_6))) = L_7; HitInfoU5BU5D_t1129894377* L_8 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_9 = ___i0; NullCheck(L_8); HitInfo_SendMessage_m3114711699(((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_9))), _stringLiteral1206760803, /*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_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_11 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_12 = ___i0; NullCheck(L_11); bool L_13 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, (*(HitInfo_t2599499320 *)((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_12)))), /*hidden argument*/NULL); if (!L_13) { goto IL_00d0; } } { HitInfo_t2599499320 L_14 = ___hit1; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_15 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_16 = ___i0; NullCheck(L_15); bool L_17 = HitInfo_Compare_m1546430160(NULL /*static, unused*/, L_14, (*(HitInfo_t2599499320 *)((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_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_18 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_19 = ___i0; NullCheck(L_18); HitInfo_SendMessage_m3114711699(((L_18)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_19))), _stringLiteral2492306873, /*hidden argument*/NULL); } IL_00a1: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_20 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_21 = ___i0; NullCheck(L_20); HitInfo_SendMessage_m3114711699(((L_20)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_21))), _stringLiteral3042218702, /*hidden argument*/NULL); HitInfoU5BU5D_t1129894377* L_22 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_23 = ___i0; NullCheck(L_22); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_2)); HitInfo_t2599499320 L_24 = V_2; *(HitInfo_t2599499320 *)((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_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_25 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_26 = ___i0; NullCheck(L_25); bool L_27 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, (*(HitInfo_t2599499320 *)((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_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_28 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_MouseDownHit_2(); int32_t L_29 = ___i0; NullCheck(L_28); HitInfo_SendMessage_m3114711699(((L_28)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_29))), _stringLiteral710843729, /*hidden argument*/NULL); } IL_0107: { HitInfo_t2599499320 L_30 = ___hit1; IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_31 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_LastHit_1(); int32_t L_32 = ___i0; NullCheck(L_31); bool L_33 = HitInfo_Compare_m1546430160(NULL /*static, unused*/, L_30, (*(HitInfo_t2599499320 *)((L_31)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_32)))), /*hidden argument*/NULL); if (!L_33) { goto IL_0140; } } { HitInfo_t2599499320 L_34 = ___hit1; bool L_35 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, L_34, /*hidden argument*/NULL); if (!L_35) { goto IL_013a; } } { HitInfo_SendMessage_m3114711699((&___hit1), _stringLiteral3299235925, /*hidden argument*/NULL); } IL_013a: { goto IL_0198; } IL_0140: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_36 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_LastHit_1(); int32_t L_37 = ___i0; NullCheck(L_36); bool L_38 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, (*(HitInfo_t2599499320 *)((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_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_39 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_LastHit_1(); int32_t L_40 = ___i0; NullCheck(L_39); HitInfo_SendMessage_m3114711699(((L_39)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_40))), _stringLiteral3017948348, /*hidden argument*/NULL); } IL_0172: { HitInfo_t2599499320 L_41 = ___hit1; bool L_42 = HitInfo_op_Implicit_m782259180(NULL /*static, unused*/, L_41, /*hidden argument*/NULL); if (!L_42) { goto IL_0197; } } { HitInfo_SendMessage_m3114711699((&___hit1), _stringLiteral1844343784, /*hidden argument*/NULL); HitInfo_SendMessage_m3114711699((&___hit1), _stringLiteral3299235925, /*hidden argument*/NULL); } IL_0197: { } IL_0198: { IL2CPP_RUNTIME_CLASS_INIT(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var); HitInfoU5BU5D_t1129894377* L_43 = ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->get_m_LastHit_1(); int32_t L_44 = ___i0; NullCheck(L_43); HitInfo_t2599499320 L_45 = ___hit1; *(HitInfo_t2599499320 *)((L_43)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_44))) = L_45; return; } } // System.Void UnityEngine.SendMouseEvents::.cctor() extern "C" void SendMouseEvents__cctor_m3055085222 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SendMouseEvents__cctor_m3055085222_MetadataUsageId); s_Il2CppMethodInitialized = true; } HitInfo_t2599499320 V_0; memset(&V_0, 0, sizeof(V_0)); HitInfo_t2599499320 V_1; memset(&V_1, 0, sizeof(V_1)); HitInfo_t2599499320 V_2; memset(&V_2, 0, sizeof(V_2)); HitInfo_t2599499320 V_3; memset(&V_3, 0, sizeof(V_3)); HitInfo_t2599499320 V_4; memset(&V_4, 0, sizeof(V_4)); HitInfo_t2599499320 V_5; memset(&V_5, 0, sizeof(V_5)); HitInfo_t2599499320 V_6; memset(&V_6, 0, sizeof(V_6)); HitInfo_t2599499320 V_7; memset(&V_7, 0, sizeof(V_7)); HitInfo_t2599499320 V_8; memset(&V_8, 0, sizeof(V_8)); { ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_s_MouseUsed_0((bool)0); HitInfoU5BU5D_t1129894377* L_0 = ((HitInfoU5BU5D_t1129894377*)SZArrayNew(HitInfoU5BU5D_t1129894377_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_0); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_0)); HitInfo_t2599499320 L_1 = V_0; *(HitInfo_t2599499320 *)((L_0)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_1; HitInfoU5BU5D_t1129894377* L_2 = L_0; NullCheck(L_2); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_1)); HitInfo_t2599499320 L_3 = V_1; *(HitInfo_t2599499320 *)((L_2)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_3; HitInfoU5BU5D_t1129894377* L_4 = L_2; NullCheck(L_4); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_2)); HitInfo_t2599499320 L_5 = V_2; *(HitInfo_t2599499320 *)((L_4)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_5; ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_m_LastHit_1(L_4); HitInfoU5BU5D_t1129894377* L_6 = ((HitInfoU5BU5D_t1129894377*)SZArrayNew(HitInfoU5BU5D_t1129894377_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_6); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_3)); HitInfo_t2599499320 L_7 = V_3; *(HitInfo_t2599499320 *)((L_6)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_7; HitInfoU5BU5D_t1129894377* L_8 = L_6; NullCheck(L_8); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_4)); HitInfo_t2599499320 L_9 = V_4; *(HitInfo_t2599499320 *)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_9; HitInfoU5BU5D_t1129894377* L_10 = L_8; NullCheck(L_10); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_5)); HitInfo_t2599499320 L_11 = V_5; *(HitInfo_t2599499320 *)((L_10)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_11; ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_m_MouseDownHit_2(L_10); HitInfoU5BU5D_t1129894377* L_12 = ((HitInfoU5BU5D_t1129894377*)SZArrayNew(HitInfoU5BU5D_t1129894377_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_12); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_6)); HitInfo_t2599499320 L_13 = V_6; *(HitInfo_t2599499320 *)((L_12)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))) = L_13; HitInfoU5BU5D_t1129894377* L_14 = L_12; NullCheck(L_14); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_7)); HitInfo_t2599499320 L_15 = V_7; *(HitInfo_t2599499320 *)((L_14)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))) = L_15; HitInfoU5BU5D_t1129894377* L_16 = L_14; NullCheck(L_16); Initobj (HitInfo_t2599499320_il2cpp_TypeInfo_var, (&V_8)); HitInfo_t2599499320 L_17 = V_8; *(HitInfo_t2599499320 *)((L_16)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))) = L_17; ((SendMouseEvents_t1768250992_StaticFields*)il2cpp_codegen_static_fields_for(SendMouseEvents_t1768250992_il2cpp_TypeInfo_var))->set_m_CurrentHit_3(L_16); return; } } // Conversion methods for marshalling of: UnityEngine.SendMouseEvents/HitInfo extern "C" void HitInfo_t2599499320_marshal_pinvoke(const HitInfo_t2599499320& unmarshaled, HitInfo_t2599499320_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___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); } extern "C" void HitInfo_t2599499320_marshal_pinvoke_back(const HitInfo_t2599499320_marshaled_pinvoke& marshaled, HitInfo_t2599499320& unmarshaled) { Il2CppCodeGenException* ___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); } // Conversion method for clean up from marshalling of: UnityEngine.SendMouseEvents/HitInfo extern "C" void HitInfo_t2599499320_marshal_pinvoke_cleanup(HitInfo_t2599499320_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.SendMouseEvents/HitInfo extern "C" void HitInfo_t2599499320_marshal_com(const HitInfo_t2599499320& unmarshaled, HitInfo_t2599499320_marshaled_com& marshaled) { Il2CppCodeGenException* ___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); } extern "C" void HitInfo_t2599499320_marshal_com_back(const HitInfo_t2599499320_marshaled_com& marshaled, HitInfo_t2599499320& unmarshaled) { Il2CppCodeGenException* ___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); } // Conversion method for clean up from marshalling of: UnityEngine.SendMouseEvents/HitInfo extern "C" void HitInfo_t2599499320_marshal_com_cleanup(HitInfo_t2599499320_marshaled_com& marshaled) { } // System.Void UnityEngine.SendMouseEvents/HitInfo::SendMessage(System.String) extern "C" void HitInfo_SendMessage_m3114711699 (HitInfo_t2599499320 * __this, String_t* ___name0, const RuntimeMethod* method) { { GameObject_t1817748288 * L_0 = __this->get_target_0(); String_t* L_1 = ___name0; NullCheck(L_0); GameObject_SendMessage_m1959775640(L_0, L_1, NULL, 1, /*hidden argument*/NULL); return; } } extern "C" void HitInfo_SendMessage_m3114711699_AdjustorThunk (RuntimeObject * __this, String_t* ___name0, const RuntimeMethod* method) { HitInfo_t2599499320 * _thisAdjusted = reinterpret_cast<HitInfo_t2599499320 *>(__this + 1); HitInfo_SendMessage_m3114711699(_thisAdjusted, ___name0, method); } // System.Boolean UnityEngine.SendMouseEvents/HitInfo::op_Implicit(UnityEngine.SendMouseEvents/HitInfo) extern "C" bool HitInfo_op_Implicit_m782259180 (RuntimeObject * __this /* static, unused */, HitInfo_t2599499320 ___exists0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HitInfo_op_Implicit_m782259180_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t G_B3_0 = 0; { GameObject_t1817748288 * L_0 = (&___exists0)->get_target_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_0022; } } { Camera_t2217315075 * L_2 = (&___exists0)->get_camera_1(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_3 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_2, (Object_t1699899486 *)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" bool HitInfo_Compare_m1546430160 (RuntimeObject * __this /* static, unused */, HitInfo_t2599499320 ___lhs0, HitInfo_t2599499320 ___rhs1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HitInfo_Compare_m1546430160_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t G_B3_0 = 0; { GameObject_t1817748288 * L_0 = (&___lhs0)->get_target_0(); GameObject_t1817748288 * L_1 = (&___rhs1)->get_target_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_2 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_002e; } } { Camera_t2217315075 * L_3 = (&___lhs0)->get_camera_1(); Camera_t2217315075 * L_4 = (&___rhs1)->get_camera_1(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_5 = Object_op_Equality_m2782127541(NULL /*static, unused*/, 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; } } // System.Void UnityEngine.Serialization.FormerlySerializedAsAttribute::.ctor(System.String) extern "C" void FormerlySerializedAsAttribute__ctor_m1515481145 (FormerlySerializedAsAttribute_t941627579 * __this, String_t* ___oldName0, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); String_t* L_0 = ___oldName0; __this->set_m_oldName_0(L_0); return; } } // System.String UnityEngine.Serialization.FormerlySerializedAsAttribute::get_oldName() extern "C" String_t* FormerlySerializedAsAttribute_get_oldName_m317436755 (FormerlySerializedAsAttribute_t941627579 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_oldName_0(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.Void UnityEngine.SerializeField::.ctor() extern "C" void SerializeField__ctor_m1320197197 (SerializeField_t1863693842 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SerializePrivateVariables::.ctor() extern "C" void SerializePrivateVariables__ctor_m3533417265 (SerializePrivateVariables_t4284723356 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SetupCoroutine::InvokeMoveNext(System.Collections.IEnumerator,System.IntPtr) extern "C" void SetupCoroutine_InvokeMoveNext_m1261602493 (RuntimeObject * __this /* static, unused */, RuntimeObject* ___enumerator0, IntPtr_t ___returnValueAddress1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SetupCoroutine_InvokeMoveNext_m1261602493_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IntPtr_t L_0 = ___returnValueAddress1; IntPtr_t L_1 = ((IntPtr_t_StaticFields*)il2cpp_codegen_static_fields_for(IntPtr_t_il2cpp_TypeInfo_var))->get_Zero_1(); bool L_2 = IntPtr_op_Equality_m117067793(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0021; } } { ArgumentException_t2901442306 * L_3 = (ArgumentException_t2901442306 *)il2cpp_codegen_object_new(ArgumentException_t2901442306_il2cpp_TypeInfo_var); ArgumentException__ctor_m4231514516(L_3, _stringLiteral2786296049, _stringLiteral2095179893, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0021: { IntPtr_t L_4 = ___returnValueAddress1; void* L_5 = IntPtr_op_Explicit_m1758910513(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); RuntimeObject* L_6 = ___enumerator0; NullCheck(L_6); bool L_7 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t1666370751_il2cpp_TypeInfo_var, L_6); *((int8_t*)(L_5)) = (int8_t)L_7; return; } } // System.Object UnityEngine.SetupCoroutine::InvokeMember(System.Object,System.String,System.Object) extern "C" RuntimeObject * SetupCoroutine_InvokeMember_m4146568543 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___behaviour0, String_t* ___name1, RuntimeObject * ___variable2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SetupCoroutine_InvokeMember_m4146568543_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t846638089* V_0 = NULL; RuntimeObject * V_1 = NULL; { V_0 = (ObjectU5BU5D_t846638089*)NULL; RuntimeObject * L_0 = ___variable2; if (!L_0) { goto IL_0016; } } { V_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)1)); ObjectU5BU5D_t846638089* L_1 = V_0; RuntimeObject * L_2 = ___variable2; NullCheck(L_1); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_2); } IL_0016: { RuntimeObject * L_3 = ___behaviour0; NullCheck(L_3); Type_t * L_4 = Object_GetType_m1896300954(L_3, /*hidden argument*/NULL); String_t* L_5 = ___name1; RuntimeObject * L_6 = ___behaviour0; ObjectU5BU5D_t846638089* L_7 = V_0; NullCheck(L_4); RuntimeObject * L_8 = VirtFuncInvoker8< RuntimeObject *, String_t*, int32_t, Binder_t696805543 *, RuntimeObject *, ObjectU5BU5D_t846638089*, ParameterModifierU5BU5D_t2494495189*, CultureInfo_t2719651858 *, StringU5BU5D_t2238447960* >::Invoke(72 /* 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_4, L_5, ((int32_t)308), (Binder_t696805543 *)NULL, L_6, L_7, (ParameterModifierU5BU5D_t2494495189*)(ParameterModifierU5BU5D_t2494495189*)NULL, (CultureInfo_t2719651858 *)NULL, (StringU5BU5D_t2238447960*)(StringU5BU5D_t2238447960*)NULL); V_1 = L_8; goto IL_0033; } IL_0033: { RuntimeObject * L_9 = V_1; return L_9; } } // System.Int32 UnityEngine.Shader::PropertyToID(System.String) extern "C" int32_t Shader_PropertyToID_m1076291829 (RuntimeObject * __this /* static, unused */, String_t* ___name0, const RuntimeMethod* method) { typedef int32_t (*Shader_PropertyToID_m1076291829_ftn) (String_t*); static Shader_PropertyToID_m1076291829_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Shader_PropertyToID_m1076291829_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Shader::PropertyToID(System.String)"); int32_t retVal = _il2cpp_icall_func(___name0); return retVal; } // System.Void UnityEngine.SharedBetweenAnimatorsAttribute::.ctor() extern "C" void SharedBetweenAnimatorsAttribute__ctor_m251403046 (SharedBetweenAnimatorsAttribute_t3116496384 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // Conversion methods for marshalling of: UnityEngine.SkeletonBone extern "C" void SkeletonBone_t223881975_marshal_pinvoke(const SkeletonBone_t223881975& unmarshaled, SkeletonBone_t223881975_marshaled_pinvoke& marshaled) { marshaled.___name_0 = il2cpp_codegen_marshal_string(unmarshaled.get_name_0()); marshaled.___parentName_1 = il2cpp_codegen_marshal_string(unmarshaled.get_parentName_1()); marshaled.___position_2 = unmarshaled.get_position_2(); marshaled.___rotation_3 = unmarshaled.get_rotation_3(); marshaled.___scale_4 = unmarshaled.get_scale_4(); } extern "C" void SkeletonBone_t223881975_marshal_pinvoke_back(const SkeletonBone_t223881975_marshaled_pinvoke& marshaled, SkeletonBone_t223881975& unmarshaled) { unmarshaled.set_name_0(il2cpp_codegen_marshal_string_result(marshaled.___name_0)); unmarshaled.set_parentName_1(il2cpp_codegen_marshal_string_result(marshaled.___parentName_1)); Vector3_t1874995928 unmarshaled_position_temp_2; memset(&unmarshaled_position_temp_2, 0, sizeof(unmarshaled_position_temp_2)); unmarshaled_position_temp_2 = marshaled.___position_2; unmarshaled.set_position_2(unmarshaled_position_temp_2); Quaternion_t1904711730 unmarshaled_rotation_temp_3; memset(&unmarshaled_rotation_temp_3, 0, sizeof(unmarshaled_rotation_temp_3)); unmarshaled_rotation_temp_3 = marshaled.___rotation_3; unmarshaled.set_rotation_3(unmarshaled_rotation_temp_3); Vector3_t1874995928 unmarshaled_scale_temp_4; memset(&unmarshaled_scale_temp_4, 0, sizeof(unmarshaled_scale_temp_4)); unmarshaled_scale_temp_4 = marshaled.___scale_4; unmarshaled.set_scale_4(unmarshaled_scale_temp_4); } // Conversion method for clean up from marshalling of: UnityEngine.SkeletonBone extern "C" void SkeletonBone_t223881975_marshal_pinvoke_cleanup(SkeletonBone_t223881975_marshaled_pinvoke& marshaled) { il2cpp_codegen_marshal_free(marshaled.___name_0); marshaled.___name_0 = NULL; il2cpp_codegen_marshal_free(marshaled.___parentName_1); marshaled.___parentName_1 = NULL; } // Conversion methods for marshalling of: UnityEngine.SkeletonBone extern "C" void SkeletonBone_t223881975_marshal_com(const SkeletonBone_t223881975& unmarshaled, SkeletonBone_t223881975_marshaled_com& marshaled) { marshaled.___name_0 = il2cpp_codegen_marshal_bstring(unmarshaled.get_name_0()); marshaled.___parentName_1 = il2cpp_codegen_marshal_bstring(unmarshaled.get_parentName_1()); marshaled.___position_2 = unmarshaled.get_position_2(); marshaled.___rotation_3 = unmarshaled.get_rotation_3(); marshaled.___scale_4 = unmarshaled.get_scale_4(); } extern "C" void SkeletonBone_t223881975_marshal_com_back(const SkeletonBone_t223881975_marshaled_com& marshaled, SkeletonBone_t223881975& unmarshaled) { unmarshaled.set_name_0(il2cpp_codegen_marshal_bstring_result(marshaled.___name_0)); unmarshaled.set_parentName_1(il2cpp_codegen_marshal_bstring_result(marshaled.___parentName_1)); Vector3_t1874995928 unmarshaled_position_temp_2; memset(&unmarshaled_position_temp_2, 0, sizeof(unmarshaled_position_temp_2)); unmarshaled_position_temp_2 = marshaled.___position_2; unmarshaled.set_position_2(unmarshaled_position_temp_2); Quaternion_t1904711730 unmarshaled_rotation_temp_3; memset(&unmarshaled_rotation_temp_3, 0, sizeof(unmarshaled_rotation_temp_3)); unmarshaled_rotation_temp_3 = marshaled.___rotation_3; unmarshaled.set_rotation_3(unmarshaled_rotation_temp_3); Vector3_t1874995928 unmarshaled_scale_temp_4; memset(&unmarshaled_scale_temp_4, 0, sizeof(unmarshaled_scale_temp_4)); unmarshaled_scale_temp_4 = marshaled.___scale_4; unmarshaled.set_scale_4(unmarshaled_scale_temp_4); } // Conversion method for clean up from marshalling of: UnityEngine.SkeletonBone extern "C" void SkeletonBone_t223881975_marshal_com_cleanup(SkeletonBone_t223881975_marshaled_com& marshaled) { il2cpp_codegen_marshal_free_bstring(marshaled.___name_0); marshaled.___name_0 = NULL; il2cpp_codegen_marshal_free_bstring(marshaled.___parentName_1); marshaled.___parentName_1 = NULL; } // System.Int32 UnityEngine.SkeletonBone::get_transformModified() extern "C" int32_t SkeletonBone_get_transformModified_m3583809016 (SkeletonBone_t223881975 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { V_0 = 0; goto IL_0008; } IL_0008: { int32_t L_0 = V_0; return L_0; } } extern "C" int32_t SkeletonBone_get_transformModified_m3583809016_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { SkeletonBone_t223881975 * _thisAdjusted = reinterpret_cast<SkeletonBone_t223881975 *>(__this + 1); return SkeletonBone_get_transformModified_m3583809016(_thisAdjusted, method); } // System.Void UnityEngine.SkeletonBone::set_transformModified(System.Int32) extern "C" void SkeletonBone_set_transformModified_m39439235 (SkeletonBone_t223881975 * __this, int32_t ___value0, const RuntimeMethod* method) { { return; } } extern "C" void SkeletonBone_set_transformModified_m39439235_AdjustorThunk (RuntimeObject * __this, int32_t ___value0, const RuntimeMethod* method) { SkeletonBone_t223881975 * _thisAdjusted = reinterpret_cast<SkeletonBone_t223881975 *>(__this + 1); SkeletonBone_set_transformModified_m39439235(_thisAdjusted, ___value0, method); } // System.Void UnityEngine.SliderState::.ctor() extern "C" void SliderState__ctor_m3255908785 (SliderState_t1221064395 * __this, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::.ctor() extern "C" void GameCenterPlatform__ctor_m1036137741 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ClearAchievementDescriptions(System.Int32) extern "C" void GameCenterPlatform_ClearAchievementDescriptions_m2235334466 (RuntimeObject * __this /* static, unused */, int32_t ___size0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ClearAchievementDescriptions_m2235334466_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); if (!L_0) { goto IL_0018; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); NullCheck(L_1); int32_t L_2 = ___size0; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length))))) == ((int32_t)L_2))) { goto IL_0023; } } IL_0018: { int32_t L_3 = ___size0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_adCache_1(((AchievementDescriptionU5BU5D_t332302736*)SZArrayNew(AchievementDescriptionU5BU5D_t332302736_il2cpp_TypeInfo_var, (uint32_t)L_3))); } IL_0023: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetAchievementDescription(UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData,System.Int32) extern "C" void GameCenterPlatform_SetAchievementDescription_m3963324272 (RuntimeObject * __this /* static, unused */, GcAchievementDescriptionData_t1267650014 ___data0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetAchievementDescription_m3963324272_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); int32_t L_1 = ___number1; AchievementDescription_t3742507101 * L_2 = GcAchievementDescriptionData_ToAchievementDescription_m3182921715((&___data0), /*hidden argument*/NULL); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_2); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_1), (AchievementDescription_t3742507101 *)L_2); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetAchievementDescriptionImage(UnityEngine.Texture2D,System.Int32) extern "C" void GameCenterPlatform_SetAchievementDescriptionImage_m108113028 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___texture0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetAchievementDescriptionImage_m108113028_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); NullCheck(L_0); int32_t L_1 = ___number1; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_0)->max_length))))) <= ((int32_t)L_1))) { goto IL_0015; } } { int32_t L_2 = ___number1; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0025; } } IL_0015: { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral266389815, /*hidden argument*/NULL); goto IL_0032; } IL_0025: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_3 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); int32_t L_4 = ___number1; NullCheck(L_3); int32_t L_5 = L_4; AchievementDescription_t3742507101 * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Texture2D_t4076404164 * L_7 = ___texture0; NullCheck(L_6); AchievementDescription_SetImage_m779714181(L_6, L_7, /*hidden argument*/NULL); } IL_0032: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::TriggerAchievementDescriptionCallback(System.Action`1<UnityEngine.SocialPlatforms.IAchievementDescription[]>) extern "C" void GameCenterPlatform_TriggerAchievementDescriptionCallback_m1064543378 (RuntimeObject * __this /* static, unused */, Action_1_t2750265789 * ___callback0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_TriggerAchievementDescriptionCallback_m1064543378_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t2750265789 * L_0 = ___callback0; if (!L_0) { goto IL_0034; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); if (!L_1) { goto IL_0034; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_2 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); NullCheck(L_2); if ((((int32_t)((int32_t)(((RuntimeArray *)L_2)->max_length))))) { goto IL_0028; } } { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral4073345528, /*hidden argument*/NULL); } IL_0028: { Action_1_t2750265789 * L_3 = ___callback0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); AchievementDescriptionU5BU5D_t332302736* L_4 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_adCache_1(); NullCheck(L_3); Action_1_Invoke_m2746668395(L_3, (IAchievementDescriptionU5BU5D_t4125941313*)(IAchievementDescriptionU5BU5D_t4125941313*)L_4, /*hidden argument*/Action_1_Invoke_m2746668395_RuntimeMethod_var); } IL_0034: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::AuthenticateCallbackWrapper(System.Int32,System.String) extern "C" void GameCenterPlatform_AuthenticateCallbackWrapper_m3938533837 (RuntimeObject * __this /* static, unused */, int32_t ___result0, String_t* ___error1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_AuthenticateCallbackWrapper_m3938533837_MetadataUsageId); s_Il2CppMethodInitialized = true; } Action_2_t4026259155 * G_B3_0 = NULL; Action_2_t4026259155 * G_B2_0 = NULL; int32_t G_B4_0 = 0; Action_2_t4026259155 * G_B4_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_PopulateLocalUser_m3719370520(NULL /*static, unused*/, /*hidden argument*/NULL); Action_2_t4026259155 * L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_AuthenticateCallback_0(); if (!L_0) { goto IL_0031; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); Action_2_t4026259155 * L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_AuthenticateCallback_0(); int32_t L_2 = ___result0; G_B2_0 = L_1; if ((!(((uint32_t)L_2) == ((uint32_t)1)))) { G_B3_0 = L_1; goto IL_0023; } } { G_B4_0 = 1; G_B4_1 = G_B2_0; goto IL_0024; } IL_0023: { G_B4_0 = 0; G_B4_1 = G_B3_0; } IL_0024: { String_t* L_3 = ___error1; NullCheck(G_B4_1); Action_2_Invoke_m1128856205(G_B4_1, (bool)G_B4_0, L_3, /*hidden argument*/Action_2_Invoke_m1128856205_RuntimeMethod_var); IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_AuthenticateCallback_0((Action_2_t4026259155 *)NULL); } IL_0031: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ClearFriends(System.Int32) extern "C" void GameCenterPlatform_ClearFriends_m2553343369 (RuntimeObject * __this /* static, unused */, int32_t ___size0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ClearFriends_m2553343369_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); int32_t L_0 = ___size0; GameCenterPlatform_SafeClearArray_m43097675(NULL /*static, unused*/, (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_friends_2()), L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetFriends(UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData,System.Int32) extern "C" void GameCenterPlatform_SetFriends_m532713416 (RuntimeObject * __this /* static, unused */, GcUserProfileData_t442346949 ___data0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetFriends_m532713416_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); int32_t L_0 = ___number1; GcUserProfileData_AddToArray_m2546734469((&___data0), (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_friends_2()), L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetFriendImage(UnityEngine.Texture2D,System.Int32) extern "C" void GameCenterPlatform_SetFriendImage_m3433731488 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___texture0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetFriendImage_m3433731488_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); Texture2D_t4076404164 * L_0 = ___texture0; int32_t L_1 = ___number1; GameCenterPlatform_SafeSetUserImage_m3739650778(NULL /*static, unused*/, (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_friends_2()), L_0, L_1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::TriggerFriendsCallbackWrapper(System.Action`1<System.Boolean>,System.Int32) extern "C" void GameCenterPlatform_TriggerFriendsCallbackWrapper_m1507876970 (RuntimeObject * __this /* static, unused */, Action_1_t1048568049 * ___callback0, int32_t ___result1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_TriggerFriendsCallbackWrapper_m1507876970_MetadataUsageId); s_Il2CppMethodInitialized = true; } Action_1_t1048568049 * G_B5_0 = NULL; Action_1_t1048568049 * G_B4_0 = NULL; int32_t G_B6_0 = 0; Action_1_t1048568049 * G_B6_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); UserProfileU5BU5D_t1816242286* L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_friends_2(); if (!L_0) { goto IL_001a; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); LocalUser_t3045384341 * L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); UserProfileU5BU5D_t1816242286* L_2 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_friends_2(); NullCheck(L_1); LocalUser_SetFriends_m2322591960(L_1, (IUserProfileU5BU5D_t3837827452*)(IUserProfileU5BU5D_t3837827452*)L_2, /*hidden argument*/NULL); } IL_001a: { Action_1_t1048568049 * L_3 = ___callback0; if (!L_3) { goto IL_0034; } } { Action_1_t1048568049 * L_4 = ___callback0; int32_t L_5 = ___result1; G_B4_0 = L_4; if ((!(((uint32_t)L_5) == ((uint32_t)1)))) { G_B5_0 = L_4; goto IL_002e; } } { G_B6_0 = 1; G_B6_1 = G_B4_0; goto IL_002f; } IL_002e: { G_B6_0 = 0; G_B6_1 = G_B5_0; } IL_002f: { NullCheck(G_B6_1); Action_1_Invoke_m1133068632(G_B6_1, (bool)G_B6_0, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_0034: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::AchievementCallbackWrapper(System.Action`1<UnityEngine.SocialPlatforms.IAchievement[]>,UnityEngine.SocialPlatforms.GameCenter.GcAchievementData[]) extern "C" void GameCenterPlatform_AchievementCallbackWrapper_m2141121670 (RuntimeObject * __this /* static, unused */, Action_1_t1823282900 * ___callback0, GcAchievementDataU5BU5D_t1581875115* ___result1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_AchievementCallbackWrapper_m2141121670_MetadataUsageId); s_Il2CppMethodInitialized = true; } AchievementU5BU5D_t3750456917* V_0 = NULL; int32_t V_1 = 0; { Action_1_t1823282900 * L_0 = ___callback0; if (!L_0) { goto IL_004e; } } { GcAchievementDataU5BU5D_t1581875115* L_1 = ___result1; NullCheck(L_1); if ((((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length))))) { goto IL_001a; } } { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral4159876336, /*hidden argument*/NULL); } IL_001a: { GcAchievementDataU5BU5D_t1581875115* L_2 = ___result1; NullCheck(L_2); V_0 = ((AchievementU5BU5D_t3750456917*)SZArrayNew(AchievementU5BU5D_t3750456917_il2cpp_TypeInfo_var, (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_2)->max_length)))))); V_1 = 0; goto IL_003d; } IL_002a: { AchievementU5BU5D_t3750456917* L_3 = V_0; int32_t L_4 = V_1; GcAchievementDataU5BU5D_t1581875115* L_5 = ___result1; int32_t L_6 = V_1; NullCheck(L_5); Achievement_t4251433276 * L_7 = GcAchievementData_ToAchievement_m2864824249(((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_6))), /*hidden argument*/NULL); NullCheck(L_3); ArrayElementTypeCheck (L_3, L_7); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(L_4), (Achievement_t4251433276 *)L_7); int32_t L_8 = V_1; V_1 = ((int32_t)((int32_t)L_8+(int32_t)1)); } IL_003d: { int32_t L_9 = V_1; GcAchievementDataU5BU5D_t1581875115* L_10 = ___result1; NullCheck(L_10); if ((((int32_t)L_9) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_10)->max_length))))))) { goto IL_002a; } } { Action_1_t1823282900 * L_11 = ___callback0; AchievementU5BU5D_t3750456917* L_12 = V_0; NullCheck(L_11); Action_1_Invoke_m910388323(L_11, (IAchievementU5BU5D_t3198958424*)(IAchievementU5BU5D_t3198958424*)L_12, /*hidden argument*/Action_1_Invoke_m910388323_RuntimeMethod_var); } IL_004e: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ProgressCallbackWrapper(System.Action`1<System.Boolean>,System.Boolean) extern "C" void GameCenterPlatform_ProgressCallbackWrapper_m686696151 (RuntimeObject * __this /* static, unused */, Action_1_t1048568049 * ___callback0, bool ___success1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ProgressCallbackWrapper_m686696151_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t1048568049 * L_0 = ___callback0; if (!L_0) { goto IL_000e; } } { Action_1_t1048568049 * L_1 = ___callback0; bool L_2 = ___success1; NullCheck(L_1); Action_1_Invoke_m1133068632(L_1, L_2, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_000e: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ScoreCallbackWrapper(System.Action`1<System.Boolean>,System.Boolean) extern "C" void GameCenterPlatform_ScoreCallbackWrapper_m2417848615 (RuntimeObject * __this /* static, unused */, Action_1_t1048568049 * ___callback0, bool ___success1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ScoreCallbackWrapper_m2417848615_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t1048568049 * L_0 = ___callback0; if (!L_0) { goto IL_000e; } } { Action_1_t1048568049 * L_1 = ___callback0; bool L_2 = ___success1; NullCheck(L_1); Action_1_Invoke_m1133068632(L_1, L_2, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_000e: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ScoreLoaderCallbackWrapper(System.Action`1<UnityEngine.SocialPlatforms.IScore[]>,UnityEngine.SocialPlatforms.GameCenter.GcScoreData[]) extern "C" void GameCenterPlatform_ScoreLoaderCallbackWrapper_m587717450 (RuntimeObject * __this /* static, unused */, Action_1_t1525134164 * ___callback0, GcScoreDataU5BU5D_t2002748746* ___result1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ScoreLoaderCallbackWrapper_m587717450_MetadataUsageId); s_Il2CppMethodInitialized = true; } ScoreU5BU5D_t2970152184* V_0 = NULL; int32_t V_1 = 0; { Action_1_t1525134164 * L_0 = ___callback0; if (!L_0) { goto IL_003c; } } { GcScoreDataU5BU5D_t2002748746* L_1 = ___result1; NullCheck(L_1); V_0 = ((ScoreU5BU5D_t2970152184*)SZArrayNew(ScoreU5BU5D_t2970152184_il2cpp_TypeInfo_var, (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length)))))); V_1 = 0; goto IL_002b; } IL_0018: { ScoreU5BU5D_t2970152184* L_2 = V_0; int32_t L_3 = V_1; GcScoreDataU5BU5D_t2002748746* L_4 = ___result1; int32_t L_5 = V_1; NullCheck(L_4); Score_t3892511509 * L_6 = GcScoreData_ToScore_m698126957(((L_4)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_5))), /*hidden argument*/NULL); NullCheck(L_2); ArrayElementTypeCheck (L_2, L_6); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (Score_t3892511509 *)L_6); int32_t L_7 = V_1; V_1 = ((int32_t)((int32_t)L_7+(int32_t)1)); } IL_002b: { int32_t L_8 = V_1; GcScoreDataU5BU5D_t2002748746* L_9 = ___result1; NullCheck(L_9); if ((((int32_t)L_8) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_9)->max_length))))))) { goto IL_0018; } } { Action_1_t1525134164 * L_10 = ___callback0; ScoreU5BU5D_t2970152184* L_11 = V_0; NullCheck(L_10); Action_1_Invoke_m2015132353(L_10, (IScoreU5BU5D_t2900809688*)(IScoreU5BU5D_t2900809688*)L_11, /*hidden argument*/Action_1_Invoke_m2015132353_RuntimeMethod_var); } IL_003c: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::UnityEngine.SocialPlatforms.ISocialPlatform.LoadFriends(UnityEngine.SocialPlatforms.ILocalUser,System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_LoadFriends_m4032720414 (GameCenterPlatform_t329252249 * __this, RuntimeObject* ___user0, Action_1_t1048568049 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_LoadFriends_m4032720414_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_001f; } } { Action_1_t1048568049 * L_1 = ___callback1; if (!L_1) { goto IL_001a; } } { Action_1_t1048568049 * L_2 = ___callback1; NullCheck(L_2); Action_1_Invoke_m1133068632(L_2, (bool)0, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_001a: { goto IL_0025; } IL_001f: { Action_1_t1048568049 * L_3 = ___callback1; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_LoadFriends_m932199888(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); } IL_0025: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::UnityEngine.SocialPlatforms.ISocialPlatform.Authenticate(UnityEngine.SocialPlatforms.ILocalUser,System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m3831637566 (GameCenterPlatform_t329252249 * __this, RuntimeObject* ___user0, Action_1_t1048568049 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m3831637566_MetadataUsageId); s_Il2CppMethodInitialized = true; } U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * V_0 = NULL; { U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * L_0 = (U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 *)il2cpp_codegen_object_new(U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426_il2cpp_TypeInfo_var); U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0__ctor_m4021280224(L_0, /*hidden argument*/NULL); V_0 = L_0; U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * L_1 = V_0; Action_1_t1048568049 * L_2 = ___callback1; NullCheck(L_1); L_1->set_callback_0(L_2); RuntimeObject* L_3 = ___user0; U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * L_4 = V_0; IntPtr_t L_5; L_5.set_m_value_0((void*)(void*)U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_U3CU3Em__0_m3583293179_RuntimeMethod_var); Action_2_t4026259155 * L_6 = (Action_2_t4026259155 *)il2cpp_codegen_object_new(Action_2_t4026259155_il2cpp_TypeInfo_var); Action_2__ctor_m3583425613(L_6, L_4, L_5, /*hidden argument*/Action_2__ctor_m3583425613_RuntimeMethod_var); InterfaceActionInvoker2< RuntimeObject*, Action_2_t4026259155 * >::Invoke(1 /* System.Void UnityEngine.SocialPlatforms.ISocialPlatform::Authenticate(UnityEngine.SocialPlatforms.ILocalUser,System.Action`2<System.Boolean,System.String>) */, ISocialPlatform_t2528451192_il2cpp_TypeInfo_var, __this, L_3, L_6); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::UnityEngine.SocialPlatforms.ISocialPlatform.Authenticate(UnityEngine.SocialPlatforms.ILocalUser,System.Action`2<System.Boolean,System.String>) extern "C" void GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m282946112 (GameCenterPlatform_t329252249 * __this, RuntimeObject* ___user0, Action_2_t4026259155 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate_m282946112_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_2_t4026259155 * L_0 = ___callback1; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_AuthenticateCallback_0(L_0); GameCenterPlatform_Internal_Authenticate_m2022873838(NULL /*static, unused*/, /*hidden argument*/NULL); return; } } // UnityEngine.SocialPlatforms.ILocalUser UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::get_localUser() extern "C" RuntimeObject* GameCenterPlatform_get_localUser_m2938302122 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_get_localUser_m2938302122_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); LocalUser_t3045384341 * L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); if (L_0) { goto IL_0015; } } { LocalUser_t3045384341 * L_1 = (LocalUser_t3045384341 *)il2cpp_codegen_object_new(LocalUser_t3045384341_il2cpp_TypeInfo_var); LocalUser__ctor_m2973983157(L_1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_m_LocalUser_5(L_1); } IL_0015: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); bool L_2 = GameCenterPlatform_Internal_Authenticated_m2832582798(NULL /*static, unused*/, /*hidden argument*/NULL); if (!L_2) { goto IL_003d; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); LocalUser_t3045384341 * L_3 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); NullCheck(L_3); String_t* L_4 = UserProfile_get_id_m3867465340(L_3, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_5 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_4, _stringLiteral375227176, /*hidden argument*/NULL); if (!L_5) { goto IL_003d; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_PopulateLocalUser_m3719370520(NULL /*static, unused*/, /*hidden argument*/NULL); } IL_003d: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); LocalUser_t3045384341 * L_6 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); V_0 = L_6; goto IL_0048; } IL_0048: { RuntimeObject* L_7 = V_0; return L_7; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::PopulateLocalUser() extern "C" void GameCenterPlatform_PopulateLocalUser_m3719370520 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_PopulateLocalUser_m3719370520_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); LocalUser_t3045384341 * L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); bool L_1 = GameCenterPlatform_Internal_Authenticated_m2832582798(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_0); LocalUser_SetAuthenticated_m3708139892(L_0, L_1, /*hidden argument*/NULL); LocalUser_t3045384341 * L_2 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); String_t* L_3 = GameCenterPlatform_Internal_UserName_m4038486503(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_2); UserProfile_SetUserName_m1716671898(L_2, L_3, /*hidden argument*/NULL); LocalUser_t3045384341 * L_4 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); String_t* L_5 = GameCenterPlatform_Internal_UserID_m1170234972(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_4); UserProfile_SetUserID_m3997189040(L_4, L_5, /*hidden argument*/NULL); LocalUser_t3045384341 * L_6 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); bool L_7 = GameCenterPlatform_Internal_Underage_m407317109(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_6); LocalUser_SetUnderage_m3277572022(L_6, L_7, /*hidden argument*/NULL); LocalUser_t3045384341 * L_8 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_LocalUser_5(); Texture2D_t4076404164 * L_9 = GameCenterPlatform_Internal_UserImage_m2374329793(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_8); UserProfile_SetImage_m1603917329(L_8, L_9, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LoadAchievementDescriptions(System.Action`1<UnityEngine.SocialPlatforms.IAchievementDescription[]>) extern "C" void GameCenterPlatform_LoadAchievementDescriptions_m3155029372 (GameCenterPlatform_t329252249 * __this, Action_1_t2750265789 * ___callback0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LoadAchievementDescriptions_m3155029372_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0024; } } { Action_1_t2750265789 * L_1 = ___callback0; if (!L_1) { goto IL_001f; } } { Action_1_t2750265789 * L_2 = ___callback0; NullCheck(L_2); Action_1_Invoke_m2746668395(L_2, (IAchievementDescriptionU5BU5D_t4125941313*)(IAchievementDescriptionU5BU5D_t4125941313*)((AchievementDescriptionU5BU5D_t332302736*)SZArrayNew(AchievementDescriptionU5BU5D_t332302736_il2cpp_TypeInfo_var, (uint32_t)0)), /*hidden argument*/Action_1_Invoke_m2746668395_RuntimeMethod_var); } IL_001f: { goto IL_002a; } IL_0024: { Action_1_t2750265789 * L_3 = ___callback0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); } IL_002a: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ReportProgress(System.String,System.Double,System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_ReportProgress_m2637321995 (GameCenterPlatform_t329252249 * __this, String_t* ___id0, double ___progress1, Action_1_t1048568049 * ___callback2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ReportProgress_m2637321995_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_001f; } } { Action_1_t1048568049 * L_1 = ___callback2; if (!L_1) { goto IL_001a; } } { Action_1_t1048568049 * L_2 = ___callback2; NullCheck(L_2); Action_1_Invoke_m1133068632(L_2, (bool)0, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_001a: { goto IL_0027; } IL_001f: { String_t* L_3 = ___id0; double L_4 = ___progress1; Action_1_t1048568049 * L_5 = ___callback2; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ReportProgress_m3287681582(NULL /*static, unused*/, L_3, L_4, L_5, /*hidden argument*/NULL); } IL_0027: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LoadAchievements(System.Action`1<UnityEngine.SocialPlatforms.IAchievement[]>) extern "C" void GameCenterPlatform_LoadAchievements_m810504650 (GameCenterPlatform_t329252249 * __this, Action_1_t1823282900 * ___callback0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LoadAchievements_m810504650_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0024; } } { Action_1_t1823282900 * L_1 = ___callback0; if (!L_1) { goto IL_001f; } } { Action_1_t1823282900 * L_2 = ___callback0; NullCheck(L_2); Action_1_Invoke_m910388323(L_2, (IAchievementU5BU5D_t3198958424*)(IAchievementU5BU5D_t3198958424*)((AchievementU5BU5D_t3750456917*)SZArrayNew(AchievementU5BU5D_t3750456917_il2cpp_TypeInfo_var, (uint32_t)0)), /*hidden argument*/Action_1_Invoke_m910388323_RuntimeMethod_var); } IL_001f: { goto IL_002a; } IL_0024: { Action_1_t1823282900 * L_3 = ___callback0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_LoadAchievements_m3544382392(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); } IL_002a: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ReportScore(System.Int64,System.String,System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_ReportScore_m2143987691 (GameCenterPlatform_t329252249 * __this, int64_t ___score0, String_t* ___board1, Action_1_t1048568049 * ___callback2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ReportScore_m2143987691_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_001f; } } { Action_1_t1048568049 * L_1 = ___callback2; if (!L_1) { goto IL_001a; } } { Action_1_t1048568049 * L_2 = ___callback2; NullCheck(L_2); Action_1_Invoke_m1133068632(L_2, (bool)0, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_001a: { goto IL_0027; } IL_001f: { int64_t L_3 = ___score0; String_t* L_4 = ___board1; Action_1_t1048568049 * L_5 = ___callback2; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ReportScore_m3990657435(NULL /*static, unused*/, L_3, L_4, L_5, /*hidden argument*/NULL); } IL_0027: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LoadScores(System.String,System.Action`1<UnityEngine.SocialPlatforms.IScore[]>) extern "C" void GameCenterPlatform_LoadScores_m3983886206 (GameCenterPlatform_t329252249 * __this, String_t* ___category0, Action_1_t1525134164 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LoadScores_m3983886206_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0024; } } { Action_1_t1525134164 * L_1 = ___callback1; if (!L_1) { goto IL_001f; } } { Action_1_t1525134164 * L_2 = ___callback1; NullCheck(L_2); Action_1_Invoke_m2015132353(L_2, (IScoreU5BU5D_t2900809688*)(IScoreU5BU5D_t2900809688*)((ScoreU5BU5D_t2970152184*)SZArrayNew(ScoreU5BU5D_t2970152184_il2cpp_TypeInfo_var, (uint32_t)0)), /*hidden argument*/Action_1_Invoke_m2015132353_RuntimeMethod_var); } IL_001f: { goto IL_002b; } IL_0024: { String_t* L_3 = ___category0; Action_1_t1525134164 * L_4 = ___callback1; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_LoadScores_m1358668026(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); } IL_002b: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LoadScores(UnityEngine.SocialPlatforms.ILeaderboard,System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_LoadScores_m99116272 (GameCenterPlatform_t329252249 * __this, RuntimeObject* ___board0, Action_1_t1048568049 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LoadScores_m99116272_MetadataUsageId); s_Il2CppMethodInitialized = true; } Leaderboard_t1235456057 * V_0 = NULL; GcLeaderboard_t1548357845 * V_1 = NULL; StringU5BU5D_t2238447960* V_2 = NULL; Range_t566114770 V_3; memset(&V_3, 0, sizeof(V_3)); Range_t566114770 V_4; memset(&V_4, 0, sizeof(V_4)); { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_001f; } } { Action_1_t1048568049 * L_1 = ___callback1; if (!L_1) { goto IL_001a; } } { Action_1_t1048568049 * L_2 = ___callback1; NullCheck(L_2); Action_1_Invoke_m1133068632(L_2, (bool)0, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_001a: { goto IL_0080; } IL_001f: { RuntimeObject* L_3 = ___board0; V_0 = ((Leaderboard_t1235456057 *)CastclassClass((RuntimeObject*)L_3, Leaderboard_t1235456057_il2cpp_TypeInfo_var)); Leaderboard_t1235456057 * L_4 = V_0; GcLeaderboard_t1548357845 * L_5 = (GcLeaderboard_t1548357845 *)il2cpp_codegen_object_new(GcLeaderboard_t1548357845_il2cpp_TypeInfo_var); GcLeaderboard__ctor_m4147630305(L_5, L_4, /*hidden argument*/NULL); V_1 = L_5; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); List_1_t2786718293 * L_6 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_GcBoards_6(); GcLeaderboard_t1548357845 * L_7 = V_1; NullCheck(L_6); List_1_Add_m1533241721(L_6, L_7, /*hidden argument*/List_1_Add_m1533241721_RuntimeMethod_var); Leaderboard_t1235456057 * L_8 = V_0; NullCheck(L_8); StringU5BU5D_t2238447960* L_9 = Leaderboard_GetUserFilter_m1857492805(L_8, /*hidden argument*/NULL); V_2 = L_9; StringU5BU5D_t2238447960* L_10 = V_2; NullCheck(L_10); if ((((int32_t)((int32_t)(((RuntimeArray *)L_10)->max_length))))) { goto IL_0049; } } { V_2 = (StringU5BU5D_t2238447960*)NULL; } IL_0049: { GcLeaderboard_t1548357845 * L_11 = V_1; RuntimeObject* L_12 = ___board0; NullCheck(L_12); String_t* L_13 = InterfaceFuncInvoker0< String_t* >::Invoke(0 /* System.String UnityEngine.SocialPlatforms.ILeaderboard::get_id() */, ILeaderboard_t3196922668_il2cpp_TypeInfo_var, L_12); RuntimeObject* L_14 = ___board0; NullCheck(L_14); Range_t566114770 L_15 = InterfaceFuncInvoker0< Range_t566114770 >::Invoke(2 /* UnityEngine.SocialPlatforms.Range UnityEngine.SocialPlatforms.ILeaderboard::get_range() */, ILeaderboard_t3196922668_il2cpp_TypeInfo_var, L_14); V_3 = L_15; int32_t L_16 = (&V_3)->get_from_0(); RuntimeObject* L_17 = ___board0; NullCheck(L_17); Range_t566114770 L_18 = InterfaceFuncInvoker0< Range_t566114770 >::Invoke(2 /* UnityEngine.SocialPlatforms.Range UnityEngine.SocialPlatforms.ILeaderboard::get_range() */, ILeaderboard_t3196922668_il2cpp_TypeInfo_var, L_17); V_4 = L_18; int32_t L_19 = (&V_4)->get_count_1(); StringU5BU5D_t2238447960* L_20 = V_2; RuntimeObject* L_21 = ___board0; NullCheck(L_21); int32_t L_22 = InterfaceFuncInvoker0< int32_t >::Invoke(1 /* UnityEngine.SocialPlatforms.UserScope UnityEngine.SocialPlatforms.ILeaderboard::get_userScope() */, ILeaderboard_t3196922668_il2cpp_TypeInfo_var, L_21); RuntimeObject* L_23 = ___board0; NullCheck(L_23); int32_t L_24 = InterfaceFuncInvoker0< int32_t >::Invoke(3 /* UnityEngine.SocialPlatforms.TimeScope UnityEngine.SocialPlatforms.ILeaderboard::get_timeScope() */, ILeaderboard_t3196922668_il2cpp_TypeInfo_var, L_23); Action_1_t1048568049 * L_25 = ___callback1; NullCheck(L_11); GcLeaderboard_Internal_LoadScores_m684862826(L_11, L_13, L_16, L_19, L_20, L_22, L_24, L_25, /*hidden argument*/NULL); } IL_0080: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LeaderboardCallbackWrapper(System.Action`1<System.Boolean>,System.Boolean) extern "C" void GameCenterPlatform_LeaderboardCallbackWrapper_m2690283155 (RuntimeObject * __this /* static, unused */, Action_1_t1048568049 * ___callback0, bool ___success1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LeaderboardCallbackWrapper_m2690283155_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t1048568049 * L_0 = ___callback0; if (!L_0) { goto IL_000e; } } { Action_1_t1048568049 * L_1 = ___callback0; bool L_2 = ___success1; NullCheck(L_1); Action_1_Invoke_m1133068632(L_1, L_2, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_000e: { return; } } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::GetLoading(UnityEngine.SocialPlatforms.ILeaderboard) extern "C" bool GameCenterPlatform_GetLoading_m232710182 (GameCenterPlatform_t329252249 * __this, RuntimeObject* ___board0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_GetLoading_m232710182_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; GcLeaderboard_t1548357845 * V_1 = NULL; Enumerator_t1707317178 V_2; memset(&V_2, 0, sizeof(V_2)); Exception_t4051195559 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t4051195559 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0013; } } { V_0 = (bool)0; goto IL_0071; } IL_0013: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); List_1_t2786718293 * L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_m_GcBoards_6(); NullCheck(L_1); Enumerator_t1707317178 L_2 = List_1_GetEnumerator_m3771643728(L_1, /*hidden argument*/List_1_GetEnumerator_m3771643728_RuntimeMethod_var); V_2 = L_2; } IL_001f: try { // begin try (depth: 1) { goto IL_004b; } IL_0024: { GcLeaderboard_t1548357845 * L_3 = Enumerator_get_Current_m40059937((&V_2), /*hidden argument*/Enumerator_get_Current_m40059937_RuntimeMethod_var); V_1 = L_3; GcLeaderboard_t1548357845 * L_4 = V_1; RuntimeObject* L_5 = ___board0; NullCheck(L_4); bool L_6 = GcLeaderboard_Contains_m2901080927(L_4, ((Leaderboard_t1235456057 *)CastclassClass((RuntimeObject*)L_5, Leaderboard_t1235456057_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); if (!L_6) { goto IL_004a; } } IL_003e: { GcLeaderboard_t1548357845 * L_7 = V_1; NullCheck(L_7); bool L_8 = GcLeaderboard_Loading_m2772452652(L_7, /*hidden argument*/NULL); V_0 = L_8; IL2CPP_LEAVE(0x71, FINALLY_005c); } IL_004a: { } IL_004b: { bool L_9 = Enumerator_MoveNext_m3737903147((&V_2), /*hidden argument*/Enumerator_MoveNext_m3737903147_RuntimeMethod_var); if (L_9) { goto IL_0024; } } IL_0057: { IL2CPP_LEAVE(0x6A, FINALLY_005c); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t4051195559 *)e.ex; goto FINALLY_005c; } FINALLY_005c: { // begin finally (depth: 1) Enumerator_Dispose_m4104499181((&V_2), /*hidden argument*/Enumerator_Dispose_m4104499181_RuntimeMethod_var); IL2CPP_END_FINALLY(92) } // end finally (depth: 1) IL2CPP_CLEANUP(92) { IL2CPP_JUMP_TBL(0x71, IL_0071) IL2CPP_JUMP_TBL(0x6A, IL_006a) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t4051195559 *) } IL_006a: { V_0 = (bool)0; goto IL_0071; } IL_0071: { bool L_10 = V_0; return L_10; } } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::VerifyAuthentication() extern "C" bool GameCenterPlatform_VerifyAuthentication_m1144857153 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_VerifyAuthentication_m1144857153_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; { RuntimeObject* L_0 = GameCenterPlatform_get_localUser_m2938302122(__this, /*hidden argument*/NULL); NullCheck(L_0); bool L_1 = InterfaceFuncInvoker0< bool >::Invoke(0 /* System.Boolean UnityEngine.SocialPlatforms.ILocalUser::get_authenticated() */, ILocalUser_t4261952037_il2cpp_TypeInfo_var, L_0); if (L_1) { goto IL_0023; } } { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral4030074125, /*hidden argument*/NULL); V_0 = (bool)0; goto IL_002a; } IL_0023: { V_0 = (bool)1; goto IL_002a; } IL_002a: { bool L_2 = V_0; return L_2; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ShowAchievementsUI() extern "C" void GameCenterPlatform_ShowAchievementsUI_m3237921740 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ShowAchievementsUI_m3237921740_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0011; } } { goto IL_0016; } IL_0011: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442(NULL /*static, unused*/, /*hidden argument*/NULL); } IL_0016: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ShowLeaderboardUI() extern "C" void GameCenterPlatform_ShowLeaderboardUI_m1126333633 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ShowLeaderboardUI_m1126333633_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0011; } } { goto IL_0016; } IL_0011: { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597(NULL /*static, unused*/, /*hidden argument*/NULL); } IL_0016: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ClearUsers(System.Int32) extern "C" void GameCenterPlatform_ClearUsers_m259132603 (RuntimeObject * __this /* static, unused */, int32_t ___size0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ClearUsers_m259132603_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); int32_t L_0 = ___size0; GameCenterPlatform_SafeClearArray_m43097675(NULL /*static, unused*/, (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_users_3()), L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetUser(UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData,System.Int32) extern "C" void GameCenterPlatform_SetUser_m1960710317 (RuntimeObject * __this /* static, unused */, GcUserProfileData_t442346949 ___data0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetUser_m1960710317_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); int32_t L_0 = ___number1; GcUserProfileData_AddToArray_m2546734469((&___data0), (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_users_3()), L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SetUserImage(UnityEngine.Texture2D,System.Int32) extern "C" void GameCenterPlatform_SetUserImage_m1853422507 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___texture0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SetUserImage_m1853422507_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); Texture2D_t4076404164 * L_0 = ___texture0; int32_t L_1 = ___number1; GameCenterPlatform_SafeSetUserImage_m3739650778(NULL /*static, unused*/, (((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_address_of_s_users_3()), L_0, L_1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::TriggerUsersCallbackWrapper(System.Action`1<UnityEngine.SocialPlatforms.IUserProfile[]>) extern "C" void GameCenterPlatform_TriggerUsersCallbackWrapper_m1469520178 (RuntimeObject * __this /* static, unused */, Action_1_t2462151928 * ___callback0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_TriggerUsersCallbackWrapper_m1469520178_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t2462151928 * L_0 = ___callback0; if (!L_0) { goto IL_0012; } } { Action_1_t2462151928 * L_1 = ___callback0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); UserProfileU5BU5D_t1816242286* L_2 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_users_3(); NullCheck(L_1); Action_1_Invoke_m2629015408(L_1, (IUserProfileU5BU5D_t3837827452*)(IUserProfileU5BU5D_t3837827452*)L_2, /*hidden argument*/Action_1_Invoke_m2629015408_RuntimeMethod_var); } IL_0012: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::LoadUsers(System.String[],System.Action`1<UnityEngine.SocialPlatforms.IUserProfile[]>) extern "C" void GameCenterPlatform_LoadUsers_m1544506207 (GameCenterPlatform_t329252249 * __this, StringU5BU5D_t2238447960* ___userIds0, Action_1_t2462151928 * ___callback1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_LoadUsers_m1544506207_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = GameCenterPlatform_VerifyAuthentication_m1144857153(__this, /*hidden argument*/NULL); if (L_0) { goto IL_0024; } } { Action_1_t2462151928 * L_1 = ___callback1; if (!L_1) { goto IL_001f; } } { Action_1_t2462151928 * L_2 = ___callback1; NullCheck(L_2); Action_1_Invoke_m2629015408(L_2, (IUserProfileU5BU5D_t3837827452*)(IUserProfileU5BU5D_t3837827452*)((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)0)), /*hidden argument*/Action_1_Invoke_m2629015408_RuntimeMethod_var); } IL_001f: { goto IL_002b; } IL_0024: { StringU5BU5D_t2238447960* L_3 = ___userIds0; Action_1_t2462151928 * L_4 = ___callback1; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_LoadUsers_m2740898252(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); } IL_002b: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SafeSetUserImage(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,UnityEngine.Texture2D,System.Int32) extern "C" void GameCenterPlatform_SafeSetUserImage_m3739650778 (RuntimeObject * __this /* static, unused */, UserProfileU5BU5D_t1816242286** ___array0, Texture2D_t4076404164 * ___texture1, int32_t ___number2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SafeSetUserImage_m3739650778_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UserProfileU5BU5D_t1816242286** L_0 = ___array0; NullCheck((*((UserProfileU5BU5D_t1816242286**)L_0))); int32_t L_1 = ___number2; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)(*((UserProfileU5BU5D_t1816242286**)L_0)))->max_length))))) <= ((int32_t)L_1))) { goto IL_0012; } } { int32_t L_2 = ___number2; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0029; } } IL_0012: { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral1658879633, /*hidden argument*/NULL); Texture2D_t4076404164 * L_3 = (Texture2D_t4076404164 *)il2cpp_codegen_object_new(Texture2D_t4076404164_il2cpp_TypeInfo_var); Texture2D__ctor_m1311730241(L_3, ((int32_t)76), ((int32_t)76), /*hidden argument*/NULL); ___texture1 = L_3; } IL_0029: { UserProfileU5BU5D_t1816242286** L_4 = ___array0; NullCheck((*((UserProfileU5BU5D_t1816242286**)L_4))); int32_t L_5 = ___number2; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)(*((UserProfileU5BU5D_t1816242286**)L_4)))->max_length))))) <= ((int32_t)L_5))) { goto IL_0049; } } { int32_t L_6 = ___number2; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_0049; } } { UserProfileU5BU5D_t1816242286** L_7 = ___array0; int32_t L_8 = ___number2; NullCheck((*((UserProfileU5BU5D_t1816242286**)L_7))); int32_t L_9 = L_8; UserProfile_t778432599 * L_10 = ((*((UserProfileU5BU5D_t1816242286**)L_7)))->GetAt(static_cast<il2cpp_array_size_t>(L_9)); Texture2D_t4076404164 * L_11 = ___texture1; NullCheck(L_10); UserProfile_SetImage_m1603917329(L_10, L_11, /*hidden argument*/NULL); goto IL_0053; } IL_0049: { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral54482512, /*hidden argument*/NULL); } IL_0053: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::SafeClearArray(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,System.Int32) extern "C" void GameCenterPlatform_SafeClearArray_m43097675 (RuntimeObject * __this /* static, unused */, UserProfileU5BU5D_t1816242286** ___array0, int32_t ___size1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_SafeClearArray_m43097675_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UserProfileU5BU5D_t1816242286** L_0 = ___array0; if (!(*((UserProfileU5BU5D_t1816242286**)L_0))) { goto IL_0012; } } { UserProfileU5BU5D_t1816242286** L_1 = ___array0; NullCheck((*((UserProfileU5BU5D_t1816242286**)L_1))); int32_t L_2 = ___size1; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)(*((UserProfileU5BU5D_t1816242286**)L_1)))->max_length))))) == ((int32_t)L_2))) { goto IL_001a; } } IL_0012: { UserProfileU5BU5D_t1816242286** L_3 = ___array0; int32_t L_4 = ___size1; *((RuntimeObject **)(L_3)) = (RuntimeObject *)((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)L_4)); Il2CppCodeGenWriteBarrier((RuntimeObject **)(L_3), (RuntimeObject *)((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)L_4))); } IL_001a: { return; } } // UnityEngine.SocialPlatforms.ILeaderboard UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::CreateLeaderboard() extern "C" RuntimeObject* GameCenterPlatform_CreateLeaderboard_m4103692963 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_CreateLeaderboard_m4103692963_MetadataUsageId); s_Il2CppMethodInitialized = true; } Leaderboard_t1235456057 * V_0 = NULL; RuntimeObject* V_1 = NULL; { Leaderboard_t1235456057 * L_0 = (Leaderboard_t1235456057 *)il2cpp_codegen_object_new(Leaderboard_t1235456057_il2cpp_TypeInfo_var); Leaderboard__ctor_m1837150948(L_0, /*hidden argument*/NULL); V_0 = L_0; Leaderboard_t1235456057 * L_1 = V_0; V_1 = L_1; goto IL_000e; } IL_000e: { RuntimeObject* L_2 = V_1; return L_2; } } // UnityEngine.SocialPlatforms.IAchievement UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::CreateAchievement() extern "C" RuntimeObject* GameCenterPlatform_CreateAchievement_m3286002913 (GameCenterPlatform_t329252249 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_CreateAchievement_m3286002913_MetadataUsageId); s_Il2CppMethodInitialized = true; } Achievement_t4251433276 * V_0 = NULL; RuntimeObject* V_1 = NULL; { Achievement_t4251433276 * L_0 = (Achievement_t4251433276 *)il2cpp_codegen_object_new(Achievement_t4251433276_il2cpp_TypeInfo_var); Achievement__ctor_m2586477369(L_0, /*hidden argument*/NULL); V_0 = L_0; Achievement_t4251433276 * L_1 = V_0; V_1 = L_1; goto IL_000e; } IL_000e: { RuntimeObject* L_2 = V_1; return L_2; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::TriggerResetAchievementCallback(System.Boolean) extern "C" void GameCenterPlatform_TriggerResetAchievementCallback_m2261201290 (RuntimeObject * __this /* static, unused */, bool ___result0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_TriggerResetAchievementCallback_m2261201290_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); Action_1_t1048568049 * L_0 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_ResetAchievements_4(); if (!L_0) { goto IL_0016; } } { IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); Action_1_t1048568049 * L_1 = ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->get_s_ResetAchievements_4(); bool L_2 = ___result0; NullCheck(L_1); Action_1_Invoke_m1133068632(L_1, L_2, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); } IL_0016: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticate() extern "C" void GameCenterPlatform_Internal_Authenticate_m2022873838 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_Authenticate_m2022873838_ftn) (); static GameCenterPlatform_Internal_Authenticate_m2022873838_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_Authenticate_m2022873838_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticate()"); _il2cpp_icall_func(); } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticated() extern "C" bool GameCenterPlatform_Internal_Authenticated_m2832582798 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef bool (*GameCenterPlatform_Internal_Authenticated_m2832582798_ftn) (); static GameCenterPlatform_Internal_Authenticated_m2832582798_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_Authenticated_m2832582798_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Authenticated()"); bool retVal = _il2cpp_icall_func(); return retVal; } // System.String UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserName() extern "C" String_t* GameCenterPlatform_Internal_UserName_m4038486503 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef String_t* (*GameCenterPlatform_Internal_UserName_m4038486503_ftn) (); static GameCenterPlatform_Internal_UserName_m4038486503_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_UserName_m4038486503_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserName()"); String_t* retVal = _il2cpp_icall_func(); return retVal; } // System.String UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserID() extern "C" String_t* GameCenterPlatform_Internal_UserID_m1170234972 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef String_t* (*GameCenterPlatform_Internal_UserID_m1170234972_ftn) (); static GameCenterPlatform_Internal_UserID_m1170234972_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_UserID_m1170234972_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserID()"); String_t* retVal = _il2cpp_icall_func(); return retVal; } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Underage() extern "C" bool GameCenterPlatform_Internal_Underage_m407317109 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef bool (*GameCenterPlatform_Internal_Underage_m407317109_ftn) (); static GameCenterPlatform_Internal_Underage_m407317109_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_Underage_m407317109_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_Underage()"); bool retVal = _il2cpp_icall_func(); return retVal; } // UnityEngine.Texture2D UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserImage() extern "C" Texture2D_t4076404164 * GameCenterPlatform_Internal_UserImage_m2374329793 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef Texture2D_t4076404164 * (*GameCenterPlatform_Internal_UserImage_m2374329793_ftn) (); static GameCenterPlatform_Internal_UserImage_m2374329793_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_UserImage_m2374329793_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_UserImage()"); Texture2D_t4076404164 * retVal = _il2cpp_icall_func(); return retVal; } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadFriends(System.Object) extern "C" void GameCenterPlatform_Internal_LoadFriends_m932199888 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_LoadFriends_m932199888_ftn) (RuntimeObject *); static GameCenterPlatform_Internal_LoadFriends_m932199888_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_LoadFriends_m932199888_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadFriends(System.Object)"); _il2cpp_icall_func(___callback0); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievementDescriptions(System.Object) extern "C" void GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038_ftn) (RuntimeObject *); static GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_LoadAchievementDescriptions_m3006448038_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievementDescriptions(System.Object)"); _il2cpp_icall_func(___callback0); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievements(System.Object) extern "C" void GameCenterPlatform_Internal_LoadAchievements_m3544382392 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___callback0, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_LoadAchievements_m3544382392_ftn) (RuntimeObject *); static GameCenterPlatform_Internal_LoadAchievements_m3544382392_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_LoadAchievements_m3544382392_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadAchievements(System.Object)"); _il2cpp_icall_func(___callback0); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportProgress(System.String,System.Double,System.Object) extern "C" void GameCenterPlatform_Internal_ReportProgress_m3287681582 (RuntimeObject * __this /* static, unused */, String_t* ___id0, double ___progress1, RuntimeObject * ___callback2, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ReportProgress_m3287681582_ftn) (String_t*, double, RuntimeObject *); static GameCenterPlatform_Internal_ReportProgress_m3287681582_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ReportProgress_m3287681582_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportProgress(System.String,System.Double,System.Object)"); _il2cpp_icall_func(___id0, ___progress1, ___callback2); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportScore(System.Int64,System.String,System.Object) extern "C" void GameCenterPlatform_Internal_ReportScore_m3990657435 (RuntimeObject * __this /* static, unused */, int64_t ___score0, String_t* ___category1, RuntimeObject * ___callback2, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ReportScore_m3990657435_ftn) (int64_t, String_t*, RuntimeObject *); static GameCenterPlatform_Internal_ReportScore_m3990657435_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ReportScore_m3990657435_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ReportScore(System.Int64,System.String,System.Object)"); _il2cpp_icall_func(___score0, ___category1, ___callback2); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadScores(System.String,System.Object) extern "C" void GameCenterPlatform_Internal_LoadScores_m1358668026 (RuntimeObject * __this /* static, unused */, String_t* ___category0, RuntimeObject * ___callback1, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_LoadScores_m1358668026_ftn) (String_t*, RuntimeObject *); static GameCenterPlatform_Internal_LoadScores_m1358668026_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_LoadScores_m1358668026_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadScores(System.String,System.Object)"); _il2cpp_icall_func(___category0, ___callback1); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowAchievementsUI() extern "C" void GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442_ftn) (); static GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ShowAchievementsUI_m3520290442_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowAchievementsUI()"); _il2cpp_icall_func(); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowLeaderboardUI() extern "C" void GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597_ftn) (); static GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ShowLeaderboardUI_m3868569597_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowLeaderboardUI()"); _il2cpp_icall_func(); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadUsers(System.String[],System.Object) extern "C" void GameCenterPlatform_Internal_LoadUsers_m2740898252 (RuntimeObject * __this /* static, unused */, StringU5BU5D_t2238447960* ___userIds0, RuntimeObject * ___callback1, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_LoadUsers_m2740898252_ftn) (StringU5BU5D_t2238447960*, RuntimeObject *); static GameCenterPlatform_Internal_LoadUsers_m2740898252_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_LoadUsers_m2740898252_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_LoadUsers(System.String[],System.Object)"); _il2cpp_icall_func(___userIds0, ___callback1); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ResetAllAchievements() extern "C" void GameCenterPlatform_Internal_ResetAllAchievements_m1590957882 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ResetAllAchievements_m1590957882_ftn) (); static GameCenterPlatform_Internal_ResetAllAchievements_m1590957882_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ResetAllAchievements_m1590957882_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ResetAllAchievements()"); _il2cpp_icall_func(); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowDefaultAchievementBanner(System.Boolean) extern "C" void GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222 (RuntimeObject * __this /* static, unused */, bool ___value0, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222_ftn) (bool); static GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowDefaultAchievementBanner(System.Boolean)"); _il2cpp_icall_func(___value0); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ResetAllAchievements(System.Action`1<System.Boolean>) extern "C" void GameCenterPlatform_ResetAllAchievements_m1765626009 (RuntimeObject * __this /* static, unused */, Action_1_t1048568049 * ___callback0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ResetAllAchievements_m1765626009_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t1048568049 * L_0 = ___callback0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_ResetAchievements_4(L_0); GameCenterPlatform_Internal_ResetAllAchievements_m1590957882(NULL /*static, unused*/, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ShowDefaultAchievementCompletionBanner(System.Boolean) extern "C" void GameCenterPlatform_ShowDefaultAchievementCompletionBanner_m4126192294 (RuntimeObject * __this /* static, unused */, bool ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ShowDefaultAchievementCompletionBanner_m4126192294_MetadataUsageId); s_Il2CppMethodInitialized = true; } { bool L_0 = ___value0; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ShowDefaultAchievementBanner_m3123804222(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::ShowLeaderboardUI(System.String,UnityEngine.SocialPlatforms.TimeScope) extern "C" void GameCenterPlatform_ShowLeaderboardUI_m3871395800 (RuntimeObject * __this /* static, unused */, String_t* ___leaderboardID0, int32_t ___timeScope1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform_ShowLeaderboardUI_m3871395800_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___leaderboardID0; int32_t L_1 = ___timeScope1; IL2CPP_RUNTIME_CLASS_INIT(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var); GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowSpecificLeaderboardUI(System.String,System.Int32) extern "C" void GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986 (RuntimeObject * __this /* static, unused */, String_t* ___leaderboardID0, int32_t ___timeScope1, const RuntimeMethod* method) { typedef void (*GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986_ftn) (String_t*, int32_t); static GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GameCenterPlatform_Internal_ShowSpecificLeaderboardUI_m954043986_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::Internal_ShowSpecificLeaderboardUI(System.String,System.Int32)"); _il2cpp_icall_func(___leaderboardID0, ___timeScope1); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::.cctor() extern "C" void GameCenterPlatform__cctor_m2036503733 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GameCenterPlatform__cctor_m2036503733_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_adCache_1(((AchievementDescriptionU5BU5D_t332302736*)SZArrayNew(AchievementDescriptionU5BU5D_t332302736_il2cpp_TypeInfo_var, (uint32_t)0))); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_friends_2(((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)0))); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_s_users_3(((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)0))); List_1_t2786718293 * L_0 = (List_1_t2786718293 *)il2cpp_codegen_object_new(List_1_t2786718293_il2cpp_TypeInfo_var); List_1__ctor_m2610310665(L_0, /*hidden argument*/List_1__ctor_m2610310665_RuntimeMethod_var); ((GameCenterPlatform_t329252249_StaticFields*)il2cpp_codegen_static_fields_for(GameCenterPlatform_t329252249_il2cpp_TypeInfo_var))->set_m_GcBoards_6(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0::.ctor() extern "C" void U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0__ctor_m4021280224 (U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * __this, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<UnityEngine_SocialPlatforms_ISocialPlatform_Authenticate>c__AnonStorey0::<>m__0(System.Boolean,System.String) extern "C" void U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_U3CU3Em__0_m3583293179 (U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_t3408236426 * __this, bool ___success0, String_t* ___error1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (U3CUnityEngine_SocialPlatforms_ISocialPlatform_AuthenticateU3Ec__AnonStorey0_U3CU3Em__0_m3583293179_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Action_1_t1048568049 * L_0 = __this->get_callback_0(); bool L_1 = ___success0; NullCheck(L_0); Action_1_Invoke_m1133068632(L_0, L_1, /*hidden argument*/Action_1_Invoke_m1133068632_RuntimeMethod_var); return; } } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementData extern "C" void GcAchievementData_t985292318_marshal_pinvoke(const GcAchievementData_t985292318& unmarshaled, GcAchievementData_t985292318_marshaled_pinvoke& marshaled) { marshaled.___m_Identifier_0 = il2cpp_codegen_marshal_string(unmarshaled.get_m_Identifier_0()); marshaled.___m_PercentCompleted_1 = unmarshaled.get_m_PercentCompleted_1(); marshaled.___m_Completed_2 = unmarshaled.get_m_Completed_2(); marshaled.___m_Hidden_3 = unmarshaled.get_m_Hidden_3(); marshaled.___m_LastReportedDate_4 = unmarshaled.get_m_LastReportedDate_4(); } extern "C" void GcAchievementData_t985292318_marshal_pinvoke_back(const GcAchievementData_t985292318_marshaled_pinvoke& marshaled, GcAchievementData_t985292318& unmarshaled) { unmarshaled.set_m_Identifier_0(il2cpp_codegen_marshal_string_result(marshaled.___m_Identifier_0)); double unmarshaled_m_PercentCompleted_temp_1 = 0.0; unmarshaled_m_PercentCompleted_temp_1 = marshaled.___m_PercentCompleted_1; unmarshaled.set_m_PercentCompleted_1(unmarshaled_m_PercentCompleted_temp_1); int32_t unmarshaled_m_Completed_temp_2 = 0; unmarshaled_m_Completed_temp_2 = marshaled.___m_Completed_2; unmarshaled.set_m_Completed_2(unmarshaled_m_Completed_temp_2); int32_t unmarshaled_m_Hidden_temp_3 = 0; unmarshaled_m_Hidden_temp_3 = marshaled.___m_Hidden_3; unmarshaled.set_m_Hidden_3(unmarshaled_m_Hidden_temp_3); int32_t unmarshaled_m_LastReportedDate_temp_4 = 0; unmarshaled_m_LastReportedDate_temp_4 = marshaled.___m_LastReportedDate_4; unmarshaled.set_m_LastReportedDate_4(unmarshaled_m_LastReportedDate_temp_4); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementData extern "C" void GcAchievementData_t985292318_marshal_pinvoke_cleanup(GcAchievementData_t985292318_marshaled_pinvoke& marshaled) { il2cpp_codegen_marshal_free(marshaled.___m_Identifier_0); marshaled.___m_Identifier_0 = NULL; } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementData extern "C" void GcAchievementData_t985292318_marshal_com(const GcAchievementData_t985292318& unmarshaled, GcAchievementData_t985292318_marshaled_com& marshaled) { marshaled.___m_Identifier_0 = il2cpp_codegen_marshal_bstring(unmarshaled.get_m_Identifier_0()); marshaled.___m_PercentCompleted_1 = unmarshaled.get_m_PercentCompleted_1(); marshaled.___m_Completed_2 = unmarshaled.get_m_Completed_2(); marshaled.___m_Hidden_3 = unmarshaled.get_m_Hidden_3(); marshaled.___m_LastReportedDate_4 = unmarshaled.get_m_LastReportedDate_4(); } extern "C" void GcAchievementData_t985292318_marshal_com_back(const GcAchievementData_t985292318_marshaled_com& marshaled, GcAchievementData_t985292318& unmarshaled) { unmarshaled.set_m_Identifier_0(il2cpp_codegen_marshal_bstring_result(marshaled.___m_Identifier_0)); double unmarshaled_m_PercentCompleted_temp_1 = 0.0; unmarshaled_m_PercentCompleted_temp_1 = marshaled.___m_PercentCompleted_1; unmarshaled.set_m_PercentCompleted_1(unmarshaled_m_PercentCompleted_temp_1); int32_t unmarshaled_m_Completed_temp_2 = 0; unmarshaled_m_Completed_temp_2 = marshaled.___m_Completed_2; unmarshaled.set_m_Completed_2(unmarshaled_m_Completed_temp_2); int32_t unmarshaled_m_Hidden_temp_3 = 0; unmarshaled_m_Hidden_temp_3 = marshaled.___m_Hidden_3; unmarshaled.set_m_Hidden_3(unmarshaled_m_Hidden_temp_3); int32_t unmarshaled_m_LastReportedDate_temp_4 = 0; unmarshaled_m_LastReportedDate_temp_4 = marshaled.___m_LastReportedDate_4; unmarshaled.set_m_LastReportedDate_4(unmarshaled_m_LastReportedDate_temp_4); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementData extern "C" void GcAchievementData_t985292318_marshal_com_cleanup(GcAchievementData_t985292318_marshaled_com& marshaled) { il2cpp_codegen_marshal_free_bstring(marshaled.___m_Identifier_0); marshaled.___m_Identifier_0 = NULL; } // UnityEngine.SocialPlatforms.Impl.Achievement UnityEngine.SocialPlatforms.GameCenter.GcAchievementData::ToAchievement() extern "C" Achievement_t4251433276 * GcAchievementData_ToAchievement_m2864824249 (GcAchievementData_t985292318 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcAchievementData_ToAchievement_m2864824249_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t816944984 V_0; memset(&V_0, 0, sizeof(V_0)); Achievement_t4251433276 * V_1 = NULL; double G_B2_0 = 0.0; String_t* G_B2_1 = NULL; double G_B1_0 = 0.0; String_t* G_B1_1 = NULL; int32_t G_B3_0 = 0; double G_B3_1 = 0.0; String_t* G_B3_2 = NULL; int32_t G_B5_0 = 0; double G_B5_1 = 0.0; String_t* G_B5_2 = NULL; int32_t G_B4_0 = 0; double G_B4_1 = 0.0; String_t* G_B4_2 = NULL; int32_t G_B6_0 = 0; int32_t G_B6_1 = 0; double G_B6_2 = 0.0; String_t* G_B6_3 = NULL; { String_t* L_0 = __this->get_m_Identifier_0(); double L_1 = __this->get_m_PercentCompleted_1(); int32_t L_2 = __this->get_m_Completed_2(); G_B1_0 = L_1; G_B1_1 = L_0; if (L_2) { G_B2_0 = L_1; G_B2_1 = L_0; goto IL_001e; } } { G_B3_0 = 0; G_B3_1 = G_B1_0; G_B3_2 = G_B1_1; goto IL_001f; } IL_001e: { G_B3_0 = 1; G_B3_1 = G_B2_0; G_B3_2 = G_B2_1; } IL_001f: { int32_t L_3 = __this->get_m_Hidden_3(); G_B4_0 = G_B3_0; G_B4_1 = G_B3_1; G_B4_2 = G_B3_2; if (L_3) { G_B5_0 = G_B3_0; G_B5_1 = G_B3_1; G_B5_2 = G_B3_2; goto IL_0030; } } { G_B6_0 = 0; G_B6_1 = G_B4_0; G_B6_2 = G_B4_1; G_B6_3 = G_B4_2; goto IL_0031; } IL_0030: { G_B6_0 = 1; G_B6_1 = G_B5_0; G_B6_2 = G_B5_1; G_B6_3 = G_B5_2; } IL_0031: { DateTime__ctor_m1438806747((&V_0), ((int32_t)1970), 1, 1, 0, 0, 0, 0, /*hidden argument*/NULL); int32_t L_4 = __this->get_m_LastReportedDate_4(); DateTime_t816944984 L_5 = DateTime_AddSeconds_m3029021279((&V_0), (((double)((double)L_4))), /*hidden argument*/NULL); Achievement_t4251433276 * L_6 = (Achievement_t4251433276 *)il2cpp_codegen_object_new(Achievement_t4251433276_il2cpp_TypeInfo_var); Achievement__ctor_m696578997(L_6, G_B6_3, G_B6_2, (bool)G_B6_1, (bool)G_B6_0, L_5, /*hidden argument*/NULL); V_1 = L_6; goto IL_005c; } IL_005c: { Achievement_t4251433276 * L_7 = V_1; return L_7; } } extern "C" Achievement_t4251433276 * GcAchievementData_ToAchievement_m2864824249_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { GcAchievementData_t985292318 * _thisAdjusted = reinterpret_cast<GcAchievementData_t985292318 *>(__this + 1); return GcAchievementData_ToAchievement_m2864824249(_thisAdjusted, method); } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData extern "C" void GcAchievementDescriptionData_t1267650014_marshal_pinvoke(const GcAchievementDescriptionData_t1267650014& unmarshaled, GcAchievementDescriptionData_t1267650014_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___m_Image_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Image' of type 'GcAchievementDescriptionData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Image_2Exception); } extern "C" void GcAchievementDescriptionData_t1267650014_marshal_pinvoke_back(const GcAchievementDescriptionData_t1267650014_marshaled_pinvoke& marshaled, GcAchievementDescriptionData_t1267650014& unmarshaled) { Il2CppCodeGenException* ___m_Image_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Image' of type 'GcAchievementDescriptionData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Image_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData extern "C" void GcAchievementDescriptionData_t1267650014_marshal_pinvoke_cleanup(GcAchievementDescriptionData_t1267650014_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData extern "C" void GcAchievementDescriptionData_t1267650014_marshal_com(const GcAchievementDescriptionData_t1267650014& unmarshaled, GcAchievementDescriptionData_t1267650014_marshaled_com& marshaled) { Il2CppCodeGenException* ___m_Image_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Image' of type 'GcAchievementDescriptionData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Image_2Exception); } extern "C" void GcAchievementDescriptionData_t1267650014_marshal_com_back(const GcAchievementDescriptionData_t1267650014_marshaled_com& marshaled, GcAchievementDescriptionData_t1267650014& unmarshaled) { Il2CppCodeGenException* ___m_Image_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_Image' of type 'GcAchievementDescriptionData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_Image_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData extern "C" void GcAchievementDescriptionData_t1267650014_marshal_com_cleanup(GcAchievementDescriptionData_t1267650014_marshaled_com& marshaled) { } // UnityEngine.SocialPlatforms.Impl.AchievementDescription UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData::ToAchievementDescription() extern "C" AchievementDescription_t3742507101 * GcAchievementDescriptionData_ToAchievementDescription_m3182921715 (GcAchievementDescriptionData_t1267650014 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcAchievementDescriptionData_ToAchievementDescription_m3182921715_MetadataUsageId); s_Il2CppMethodInitialized = true; } AchievementDescription_t3742507101 * V_0 = NULL; String_t* G_B2_0 = NULL; String_t* G_B2_1 = NULL; Texture2D_t4076404164 * G_B2_2 = NULL; String_t* G_B2_3 = NULL; String_t* G_B2_4 = NULL; String_t* G_B1_0 = NULL; String_t* G_B1_1 = NULL; Texture2D_t4076404164 * G_B1_2 = NULL; String_t* G_B1_3 = NULL; String_t* G_B1_4 = NULL; int32_t G_B3_0 = 0; String_t* G_B3_1 = NULL; String_t* G_B3_2 = NULL; Texture2D_t4076404164 * G_B3_3 = NULL; String_t* G_B3_4 = NULL; String_t* G_B3_5 = NULL; { String_t* L_0 = __this->get_m_Identifier_0(); String_t* L_1 = __this->get_m_Title_1(); Texture2D_t4076404164 * L_2 = __this->get_m_Image_2(); String_t* L_3 = __this->get_m_AchievedDescription_3(); String_t* L_4 = __this->get_m_UnachievedDescription_4(); int32_t L_5 = __this->get_m_Hidden_5(); G_B1_0 = L_4; G_B1_1 = L_3; G_B1_2 = L_2; G_B1_3 = L_1; G_B1_4 = L_0; if (L_5) { G_B2_0 = L_4; G_B2_1 = L_3; G_B2_2 = L_2; G_B2_3 = L_1; G_B2_4 = L_0; goto IL_0030; } } { G_B3_0 = 0; G_B3_1 = G_B1_0; G_B3_2 = G_B1_1; G_B3_3 = G_B1_2; G_B3_4 = G_B1_3; G_B3_5 = G_B1_4; goto IL_0031; } IL_0030: { G_B3_0 = 1; G_B3_1 = G_B2_0; G_B3_2 = G_B2_1; G_B3_3 = G_B2_2; G_B3_4 = G_B2_3; G_B3_5 = G_B2_4; } IL_0031: { int32_t L_6 = __this->get_m_Points_6(); AchievementDescription_t3742507101 * L_7 = (AchievementDescription_t3742507101 *)il2cpp_codegen_object_new(AchievementDescription_t3742507101_il2cpp_TypeInfo_var); AchievementDescription__ctor_m2902436647(L_7, G_B3_5, G_B3_4, G_B3_3, G_B3_2, G_B3_1, (bool)G_B3_0, L_6, /*hidden argument*/NULL); V_0 = L_7; goto IL_0042; } IL_0042: { AchievementDescription_t3742507101 * L_8 = V_0; return L_8; } } extern "C" AchievementDescription_t3742507101 * GcAchievementDescriptionData_ToAchievementDescription_m3182921715_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { GcAchievementDescriptionData_t1267650014 * _thisAdjusted = reinterpret_cast<GcAchievementDescriptionData_t1267650014 *>(__this + 1); return GcAchievementDescriptionData_ToAchievementDescription_m3182921715(_thisAdjusted, method); } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard extern "C" void GcLeaderboard_t1548357845_marshal_pinvoke(const GcLeaderboard_t1548357845& unmarshaled, GcLeaderboard_t1548357845_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___m_GenericLeaderboard_1Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_GenericLeaderboard' of type 'GcLeaderboard': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_GenericLeaderboard_1Exception); } extern "C" void GcLeaderboard_t1548357845_marshal_pinvoke_back(const GcLeaderboard_t1548357845_marshaled_pinvoke& marshaled, GcLeaderboard_t1548357845& unmarshaled) { Il2CppCodeGenException* ___m_GenericLeaderboard_1Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_GenericLeaderboard' of type 'GcLeaderboard': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_GenericLeaderboard_1Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard extern "C" void GcLeaderboard_t1548357845_marshal_pinvoke_cleanup(GcLeaderboard_t1548357845_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard extern "C" void GcLeaderboard_t1548357845_marshal_com(const GcLeaderboard_t1548357845& unmarshaled, GcLeaderboard_t1548357845_marshaled_com& marshaled) { Il2CppCodeGenException* ___m_GenericLeaderboard_1Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_GenericLeaderboard' of type 'GcLeaderboard': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_GenericLeaderboard_1Exception); } extern "C" void GcLeaderboard_t1548357845_marshal_com_back(const GcLeaderboard_t1548357845_marshaled_com& marshaled, GcLeaderboard_t1548357845& unmarshaled) { Il2CppCodeGenException* ___m_GenericLeaderboard_1Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_GenericLeaderboard' of type 'GcLeaderboard': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_GenericLeaderboard_1Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard extern "C" void GcLeaderboard_t1548357845_marshal_com_cleanup(GcLeaderboard_t1548357845_marshaled_com& marshaled) { } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::.ctor(UnityEngine.SocialPlatforms.Impl.Leaderboard) extern "C" void GcLeaderboard__ctor_m4147630305 (GcLeaderboard_t1548357845 * __this, Leaderboard_t1235456057 * ___board0, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); Leaderboard_t1235456057 * L_0 = ___board0; __this->set_m_GenericLeaderboard_1(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Finalize() extern "C" void GcLeaderboard_Finalize_m134435538 (GcLeaderboard_t1548357845 * __this, const RuntimeMethod* method) { Exception_t4051195559 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t4051195559 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { } IL_0001: try { // begin try (depth: 1) GcLeaderboard_Dispose_m1792913871(__this, /*hidden argument*/NULL); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t4051195559 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m4018844832(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t4051195559 *) } IL_0013: { return; } } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Contains(UnityEngine.SocialPlatforms.Impl.Leaderboard) extern "C" bool GcLeaderboard_Contains_m2901080927 (GcLeaderboard_t1548357845 * __this, Leaderboard_t1235456057 * ___board0, const RuntimeMethod* method) { bool V_0 = false; { Leaderboard_t1235456057 * L_0 = __this->get_m_GenericLeaderboard_1(); Leaderboard_t1235456057 * L_1 = ___board0; V_0 = (bool)((((RuntimeObject*)(Leaderboard_t1235456057 *)L_0) == ((RuntimeObject*)(Leaderboard_t1235456057 *)L_1))? 1 : 0); goto IL_0010; } IL_0010: { bool L_2 = V_0; return L_2; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::SetScores(UnityEngine.SocialPlatforms.GameCenter.GcScoreData[]) extern "C" void GcLeaderboard_SetScores_m4004430391 (GcLeaderboard_t1548357845 * __this, GcScoreDataU5BU5D_t2002748746* ___scoreDatas0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcLeaderboard_SetScores_m4004430391_MetadataUsageId); s_Il2CppMethodInitialized = true; } ScoreU5BU5D_t2970152184* V_0 = NULL; int32_t V_1 = 0; { Leaderboard_t1235456057 * L_0 = __this->get_m_GenericLeaderboard_1(); if (!L_0) { goto IL_0046; } } { GcScoreDataU5BU5D_t2002748746* L_1 = ___scoreDatas0; NullCheck(L_1); V_0 = ((ScoreU5BU5D_t2970152184*)SZArrayNew(ScoreU5BU5D_t2970152184_il2cpp_TypeInfo_var, (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_1)->max_length)))))); V_1 = 0; goto IL_0030; } IL_001d: { ScoreU5BU5D_t2970152184* L_2 = V_0; int32_t L_3 = V_1; GcScoreDataU5BU5D_t2002748746* L_4 = ___scoreDatas0; int32_t L_5 = V_1; NullCheck(L_4); Score_t3892511509 * L_6 = GcScoreData_ToScore_m698126957(((L_4)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_5))), /*hidden argument*/NULL); NullCheck(L_2); ArrayElementTypeCheck (L_2, L_6); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (Score_t3892511509 *)L_6); int32_t L_7 = V_1; V_1 = ((int32_t)((int32_t)L_7+(int32_t)1)); } IL_0030: { int32_t L_8 = V_1; GcScoreDataU5BU5D_t2002748746* L_9 = ___scoreDatas0; NullCheck(L_9); if ((((int32_t)L_8) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_9)->max_length))))))) { goto IL_001d; } } { Leaderboard_t1235456057 * L_10 = __this->get_m_GenericLeaderboard_1(); ScoreU5BU5D_t2970152184* L_11 = V_0; NullCheck(L_10); Leaderboard_SetScores_m89263222(L_10, (IScoreU5BU5D_t2900809688*)(IScoreU5BU5D_t2900809688*)L_11, /*hidden argument*/NULL); } IL_0046: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::SetLocalScore(UnityEngine.SocialPlatforms.GameCenter.GcScoreData) extern "C" void GcLeaderboard_SetLocalScore_m2908425418 (GcLeaderboard_t1548357845 * __this, GcScoreData_t2742962091 ___scoreData0, const RuntimeMethod* method) { { Leaderboard_t1235456057 * L_0 = __this->get_m_GenericLeaderboard_1(); if (!L_0) { goto IL_001e; } } { Leaderboard_t1235456057 * L_1 = __this->get_m_GenericLeaderboard_1(); Score_t3892511509 * L_2 = GcScoreData_ToScore_m698126957((&___scoreData0), /*hidden argument*/NULL); NullCheck(L_1); Leaderboard_SetLocalUserScore_m4114323490(L_1, L_2, /*hidden argument*/NULL); } IL_001e: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::SetMaxRange(System.UInt32) extern "C" void GcLeaderboard_SetMaxRange_m548322297 (GcLeaderboard_t1548357845 * __this, uint32_t ___maxRange0, const RuntimeMethod* method) { { Leaderboard_t1235456057 * L_0 = __this->get_m_GenericLeaderboard_1(); if (!L_0) { goto IL_0018; } } { Leaderboard_t1235456057 * L_1 = __this->get_m_GenericLeaderboard_1(); uint32_t L_2 = ___maxRange0; NullCheck(L_1); Leaderboard_SetMaxRange_m370771843(L_1, L_2, /*hidden argument*/NULL); } IL_0018: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::SetTitle(System.String) extern "C" void GcLeaderboard_SetTitle_m2254521096 (GcLeaderboard_t1548357845 * __this, String_t* ___title0, const RuntimeMethod* method) { { Leaderboard_t1235456057 * L_0 = __this->get_m_GenericLeaderboard_1(); if (!L_0) { goto IL_0018; } } { Leaderboard_t1235456057 * L_1 = __this->get_m_GenericLeaderboard_1(); String_t* L_2 = ___title0; NullCheck(L_1); Leaderboard_SetTitle_m3506897619(L_1, L_2, /*hidden argument*/NULL); } IL_0018: { return; } } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Internal_LoadScores(System.String,System.Int32,System.Int32,System.String[],System.Int32,System.Int32,System.Object) extern "C" void GcLeaderboard_Internal_LoadScores_m684862826 (GcLeaderboard_t1548357845 * __this, String_t* ___category0, int32_t ___from1, int32_t ___count2, StringU5BU5D_t2238447960* ___userIDs3, int32_t ___playerScope4, int32_t ___timeScope5, RuntimeObject * ___callback6, const RuntimeMethod* method) { typedef void (*GcLeaderboard_Internal_LoadScores_m684862826_ftn) (GcLeaderboard_t1548357845 *, String_t*, int32_t, int32_t, StringU5BU5D_t2238447960*, int32_t, int32_t, RuntimeObject *); static GcLeaderboard_Internal_LoadScores_m684862826_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GcLeaderboard_Internal_LoadScores_m684862826_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Internal_LoadScores(System.String,System.Int32,System.Int32,System.String[],System.Int32,System.Int32,System.Object)"); _il2cpp_icall_func(__this, ___category0, ___from1, ___count2, ___userIDs3, ___playerScope4, ___timeScope5, ___callback6); } // System.Boolean UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Loading() extern "C" bool GcLeaderboard_Loading_m2772452652 (GcLeaderboard_t1548357845 * __this, const RuntimeMethod* method) { typedef bool (*GcLeaderboard_Loading_m2772452652_ftn) (GcLeaderboard_t1548357845 *); static GcLeaderboard_Loading_m2772452652_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GcLeaderboard_Loading_m2772452652_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Loading()"); bool retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Dispose() extern "C" void GcLeaderboard_Dispose_m1792913871 (GcLeaderboard_t1548357845 * __this, const RuntimeMethod* method) { typedef void (*GcLeaderboard_Dispose_m1792913871_ftn) (GcLeaderboard_t1548357845 *); static GcLeaderboard_Dispose_m1792913871_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (GcLeaderboard_Dispose_m1792913871_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard::Dispose()"); _il2cpp_icall_func(__this); } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcScoreData extern "C" void GcScoreData_t2742962091_marshal_pinvoke(const GcScoreData_t2742962091& unmarshaled, GcScoreData_t2742962091_marshaled_pinvoke& marshaled) { marshaled.___m_Category_0 = il2cpp_codegen_marshal_string(unmarshaled.get_m_Category_0()); marshaled.___m_ValueLow_1 = unmarshaled.get_m_ValueLow_1(); marshaled.___m_ValueHigh_2 = unmarshaled.get_m_ValueHigh_2(); marshaled.___m_Date_3 = unmarshaled.get_m_Date_3(); marshaled.___m_FormattedValue_4 = il2cpp_codegen_marshal_string(unmarshaled.get_m_FormattedValue_4()); marshaled.___m_PlayerID_5 = il2cpp_codegen_marshal_string(unmarshaled.get_m_PlayerID_5()); marshaled.___m_Rank_6 = unmarshaled.get_m_Rank_6(); } extern "C" void GcScoreData_t2742962091_marshal_pinvoke_back(const GcScoreData_t2742962091_marshaled_pinvoke& marshaled, GcScoreData_t2742962091& unmarshaled) { unmarshaled.set_m_Category_0(il2cpp_codegen_marshal_string_result(marshaled.___m_Category_0)); uint32_t unmarshaled_m_ValueLow_temp_1 = 0; unmarshaled_m_ValueLow_temp_1 = marshaled.___m_ValueLow_1; unmarshaled.set_m_ValueLow_1(unmarshaled_m_ValueLow_temp_1); int32_t unmarshaled_m_ValueHigh_temp_2 = 0; unmarshaled_m_ValueHigh_temp_2 = marshaled.___m_ValueHigh_2; unmarshaled.set_m_ValueHigh_2(unmarshaled_m_ValueHigh_temp_2); int32_t unmarshaled_m_Date_temp_3 = 0; unmarshaled_m_Date_temp_3 = marshaled.___m_Date_3; unmarshaled.set_m_Date_3(unmarshaled_m_Date_temp_3); unmarshaled.set_m_FormattedValue_4(il2cpp_codegen_marshal_string_result(marshaled.___m_FormattedValue_4)); unmarshaled.set_m_PlayerID_5(il2cpp_codegen_marshal_string_result(marshaled.___m_PlayerID_5)); int32_t unmarshaled_m_Rank_temp_6 = 0; unmarshaled_m_Rank_temp_6 = marshaled.___m_Rank_6; unmarshaled.set_m_Rank_6(unmarshaled_m_Rank_temp_6); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcScoreData extern "C" void GcScoreData_t2742962091_marshal_pinvoke_cleanup(GcScoreData_t2742962091_marshaled_pinvoke& marshaled) { il2cpp_codegen_marshal_free(marshaled.___m_Category_0); marshaled.___m_Category_0 = NULL; il2cpp_codegen_marshal_free(marshaled.___m_FormattedValue_4); marshaled.___m_FormattedValue_4 = NULL; il2cpp_codegen_marshal_free(marshaled.___m_PlayerID_5); marshaled.___m_PlayerID_5 = NULL; } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcScoreData extern "C" void GcScoreData_t2742962091_marshal_com(const GcScoreData_t2742962091& unmarshaled, GcScoreData_t2742962091_marshaled_com& marshaled) { marshaled.___m_Category_0 = il2cpp_codegen_marshal_bstring(unmarshaled.get_m_Category_0()); marshaled.___m_ValueLow_1 = unmarshaled.get_m_ValueLow_1(); marshaled.___m_ValueHigh_2 = unmarshaled.get_m_ValueHigh_2(); marshaled.___m_Date_3 = unmarshaled.get_m_Date_3(); marshaled.___m_FormattedValue_4 = il2cpp_codegen_marshal_bstring(unmarshaled.get_m_FormattedValue_4()); marshaled.___m_PlayerID_5 = il2cpp_codegen_marshal_bstring(unmarshaled.get_m_PlayerID_5()); marshaled.___m_Rank_6 = unmarshaled.get_m_Rank_6(); } extern "C" void GcScoreData_t2742962091_marshal_com_back(const GcScoreData_t2742962091_marshaled_com& marshaled, GcScoreData_t2742962091& unmarshaled) { unmarshaled.set_m_Category_0(il2cpp_codegen_marshal_bstring_result(marshaled.___m_Category_0)); uint32_t unmarshaled_m_ValueLow_temp_1 = 0; unmarshaled_m_ValueLow_temp_1 = marshaled.___m_ValueLow_1; unmarshaled.set_m_ValueLow_1(unmarshaled_m_ValueLow_temp_1); int32_t unmarshaled_m_ValueHigh_temp_2 = 0; unmarshaled_m_ValueHigh_temp_2 = marshaled.___m_ValueHigh_2; unmarshaled.set_m_ValueHigh_2(unmarshaled_m_ValueHigh_temp_2); int32_t unmarshaled_m_Date_temp_3 = 0; unmarshaled_m_Date_temp_3 = marshaled.___m_Date_3; unmarshaled.set_m_Date_3(unmarshaled_m_Date_temp_3); unmarshaled.set_m_FormattedValue_4(il2cpp_codegen_marshal_bstring_result(marshaled.___m_FormattedValue_4)); unmarshaled.set_m_PlayerID_5(il2cpp_codegen_marshal_bstring_result(marshaled.___m_PlayerID_5)); int32_t unmarshaled_m_Rank_temp_6 = 0; unmarshaled_m_Rank_temp_6 = marshaled.___m_Rank_6; unmarshaled.set_m_Rank_6(unmarshaled_m_Rank_temp_6); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcScoreData extern "C" void GcScoreData_t2742962091_marshal_com_cleanup(GcScoreData_t2742962091_marshaled_com& marshaled) { il2cpp_codegen_marshal_free_bstring(marshaled.___m_Category_0); marshaled.___m_Category_0 = NULL; il2cpp_codegen_marshal_free_bstring(marshaled.___m_FormattedValue_4); marshaled.___m_FormattedValue_4 = NULL; il2cpp_codegen_marshal_free_bstring(marshaled.___m_PlayerID_5); marshaled.___m_PlayerID_5 = NULL; } // UnityEngine.SocialPlatforms.Impl.Score UnityEngine.SocialPlatforms.GameCenter.GcScoreData::ToScore() extern "C" Score_t3892511509 * GcScoreData_ToScore_m698126957 (GcScoreData_t2742962091 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcScoreData_ToScore_m698126957_MetadataUsageId); s_Il2CppMethodInitialized = true; } DateTime_t816944984 V_0; memset(&V_0, 0, sizeof(V_0)); Score_t3892511509 * V_1 = NULL; { String_t* L_0 = __this->get_m_Category_0(); int32_t L_1 = __this->get_m_ValueHigh_2(); uint32_t L_2 = __this->get_m_ValueLow_1(); String_t* L_3 = __this->get_m_PlayerID_5(); DateTime__ctor_m1438806747((&V_0), ((int32_t)1970), 1, 1, 0, 0, 0, 0, /*hidden argument*/NULL); int32_t L_4 = __this->get_m_Date_3(); DateTime_t816944984 L_5 = DateTime_AddSeconds_m3029021279((&V_0), (((double)((double)L_4))), /*hidden argument*/NULL); String_t* L_6 = __this->get_m_FormattedValue_4(); int32_t L_7 = __this->get_m_Rank_6(); Score_t3892511509 * L_8 = (Score_t3892511509 *)il2cpp_codegen_object_new(Score_t3892511509_il2cpp_TypeInfo_var); Score__ctor_m3756514689(L_8, L_0, ((int64_t)((int64_t)((int64_t)((int64_t)(((int64_t)((int64_t)L_1)))<<(int32_t)((int32_t)32)))+(int64_t)(((int64_t)((uint64_t)L_2))))), L_3, L_5, L_6, L_7, /*hidden argument*/NULL); V_1 = L_8; goto IL_0056; } IL_0056: { Score_t3892511509 * L_9 = V_1; return L_9; } } extern "C" Score_t3892511509 * GcScoreData_ToScore_m698126957_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { GcScoreData_t2742962091 * _thisAdjusted = reinterpret_cast<GcScoreData_t2742962091 *>(__this + 1); return GcScoreData_ToScore_m698126957(_thisAdjusted, method); } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData extern "C" void GcUserProfileData_t442346949_marshal_pinvoke(const GcUserProfileData_t442346949& unmarshaled, GcUserProfileData_t442346949_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___image_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'image' of type 'GcUserProfileData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___image_3Exception); } extern "C" void GcUserProfileData_t442346949_marshal_pinvoke_back(const GcUserProfileData_t442346949_marshaled_pinvoke& marshaled, GcUserProfileData_t442346949& unmarshaled) { Il2CppCodeGenException* ___image_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'image' of type 'GcUserProfileData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___image_3Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData extern "C" void GcUserProfileData_t442346949_marshal_pinvoke_cleanup(GcUserProfileData_t442346949_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData extern "C" void GcUserProfileData_t442346949_marshal_com(const GcUserProfileData_t442346949& unmarshaled, GcUserProfileData_t442346949_marshaled_com& marshaled) { Il2CppCodeGenException* ___image_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'image' of type 'GcUserProfileData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___image_3Exception); } extern "C" void GcUserProfileData_t442346949_marshal_com_back(const GcUserProfileData_t442346949_marshaled_com& marshaled, GcUserProfileData_t442346949& unmarshaled) { Il2CppCodeGenException* ___image_3Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'image' of type 'GcUserProfileData': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___image_3Exception); } // Conversion method for clean up from marshalling of: UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData extern "C" void GcUserProfileData_t442346949_marshal_com_cleanup(GcUserProfileData_t442346949_marshaled_com& marshaled) { } // UnityEngine.SocialPlatforms.Impl.UserProfile UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::ToUserProfile() extern "C" UserProfile_t778432599 * GcUserProfileData_ToUserProfile_m1327921777 (GcUserProfileData_t442346949 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcUserProfileData_ToUserProfile_m1327921777_MetadataUsageId); s_Il2CppMethodInitialized = true; } UserProfile_t778432599 * V_0 = NULL; String_t* G_B2_0 = NULL; String_t* G_B2_1 = NULL; String_t* G_B1_0 = NULL; String_t* G_B1_1 = NULL; int32_t G_B3_0 = 0; String_t* G_B3_1 = NULL; String_t* G_B3_2 = NULL; { String_t* L_0 = __this->get_userName_0(); String_t* L_1 = __this->get_userID_1(); int32_t L_2 = __this->get_isFriend_2(); G_B1_0 = L_1; G_B1_1 = L_0; if ((!(((uint32_t)L_2) == ((uint32_t)1)))) { G_B2_0 = L_1; G_B2_1 = L_0; goto IL_001f; } } { G_B3_0 = 1; G_B3_1 = G_B1_0; G_B3_2 = G_B1_1; goto IL_0020; } IL_001f: { G_B3_0 = 0; G_B3_1 = G_B2_0; G_B3_2 = G_B2_1; } IL_0020: { Texture2D_t4076404164 * L_3 = __this->get_image_3(); UserProfile_t778432599 * L_4 = (UserProfile_t778432599 *)il2cpp_codegen_object_new(UserProfile_t778432599_il2cpp_TypeInfo_var); UserProfile__ctor_m244032582(L_4, G_B3_2, G_B3_1, (bool)G_B3_0, 3, L_3, /*hidden argument*/NULL); V_0 = L_4; goto IL_0032; } IL_0032: { UserProfile_t778432599 * L_5 = V_0; return L_5; } } extern "C" UserProfile_t778432599 * GcUserProfileData_ToUserProfile_m1327921777_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { GcUserProfileData_t442346949 * _thisAdjusted = reinterpret_cast<GcUserProfileData_t442346949 *>(__this + 1); return GcUserProfileData_ToUserProfile_m1327921777(_thisAdjusted, method); } // System.Void UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::AddToArray(UnityEngine.SocialPlatforms.Impl.UserProfile[]&,System.Int32) extern "C" void GcUserProfileData_AddToArray_m2546734469 (GcUserProfileData_t442346949 * __this, UserProfileU5BU5D_t1816242286** ___array0, int32_t ___number1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (GcUserProfileData_AddToArray_m2546734469_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UserProfileU5BU5D_t1816242286** L_0 = ___array0; NullCheck((*((UserProfileU5BU5D_t1816242286**)L_0))); int32_t L_1 = ___number1; if ((((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)(*((UserProfileU5BU5D_t1816242286**)L_0)))->max_length))))) <= ((int32_t)L_1))) { goto IL_0021; } } { int32_t L_2 = ___number1; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { UserProfileU5BU5D_t1816242286** L_3 = ___array0; int32_t L_4 = ___number1; UserProfile_t778432599 * L_5 = GcUserProfileData_ToUserProfile_m1327921777(__this, /*hidden argument*/NULL); NullCheck((*((UserProfileU5BU5D_t1816242286**)L_3))); ArrayElementTypeCheck ((*((UserProfileU5BU5D_t1816242286**)L_3)), L_5); ((*((UserProfileU5BU5D_t1816242286**)L_3)))->SetAt(static_cast<il2cpp_array_size_t>(L_4), (UserProfile_t778432599 *)L_5); goto IL_002b; } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_Log_m489411524(NULL /*static, unused*/, _stringLiteral1119694770, /*hidden argument*/NULL); } IL_002b: { return; } } extern "C" void GcUserProfileData_AddToArray_m2546734469_AdjustorThunk (RuntimeObject * __this, UserProfileU5BU5D_t1816242286** ___array0, int32_t ___number1, const RuntimeMethod* method) { GcUserProfileData_t442346949 * _thisAdjusted = reinterpret_cast<GcUserProfileData_t442346949 *>(__this + 1); GcUserProfileData_AddToArray_m2546734469(_thisAdjusted, ___array0, ___number1, method); } // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor(System.String,System.Double,System.Boolean,System.Boolean,System.DateTime) extern "C" void Achievement__ctor_m696578997 (Achievement_t4251433276 * __this, String_t* ___id0, double ___percentCompleted1, bool ___completed2, bool ___hidden3, DateTime_t816944984 ___lastReportedDate4, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); String_t* L_0 = ___id0; Achievement_set_id_m928956625(__this, L_0, /*hidden argument*/NULL); double L_1 = ___percentCompleted1; Achievement_set_percentCompleted_m205833948(__this, L_1, /*hidden argument*/NULL); bool L_2 = ___completed2; __this->set_m_Completed_0(L_2); bool L_3 = ___hidden3; __this->set_m_Hidden_1(L_3); DateTime_t816944984 L_4 = ___lastReportedDate4; __this->set_m_LastReportedDate_2(L_4); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor(System.String,System.Double) extern "C" void Achievement__ctor_m3303477699 (Achievement_t4251433276 * __this, String_t* ___id0, double ___percent1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Achievement__ctor_m3303477699_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); String_t* L_0 = ___id0; Achievement_set_id_m928956625(__this, L_0, /*hidden argument*/NULL); double L_1 = ___percent1; Achievement_set_percentCompleted_m205833948(__this, L_1, /*hidden argument*/NULL); __this->set_m_Hidden_1((bool)0); __this->set_m_Completed_0((bool)0); IL2CPP_RUNTIME_CLASS_INIT(DateTime_t816944984_il2cpp_TypeInfo_var); DateTime_t816944984 L_2 = ((DateTime_t816944984_StaticFields*)il2cpp_codegen_static_fields_for(DateTime_t816944984_il2cpp_TypeInfo_var))->get_MinValue_3(); __this->set_m_LastReportedDate_2(L_2); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::.ctor() extern "C" void Achievement__ctor_m2586477369 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Achievement__ctor_m2586477369_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Achievement__ctor_m3303477699(__this, _stringLiteral1360904670, (0.0), /*hidden argument*/NULL); return; } } // System.String UnityEngine.SocialPlatforms.Impl.Achievement::ToString() extern "C" String_t* Achievement_ToString_m3010572378 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Achievement_ToString_m3010572378_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)((int32_t)9))); String_t* L_1 = Achievement_get_id_m1511743509(__this, /*hidden argument*/NULL); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_1); ObjectU5BU5D_t846638089* L_2 = L_0; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral1440445895); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_3 = L_2; double L_4 = Achievement_get_percentCompleted_m4241224651(__this, /*hidden argument*/NULL); double L_5 = L_4; RuntimeObject * L_6 = Box(Double_t2479991417_il2cpp_TypeInfo_var, &L_5); NullCheck(L_3); ArrayElementTypeCheck (L_3, L_6); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_6); ObjectU5BU5D_t846638089* L_7 = L_3; NullCheck(L_7); ArrayElementTypeCheck (L_7, _stringLiteral1440445895); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_8 = L_7; bool L_9 = Achievement_get_completed_m396200211(__this, /*hidden argument*/NULL); bool L_10 = L_9; RuntimeObject * L_11 = Box(Boolean_t2424243573_il2cpp_TypeInfo_var, &L_10); NullCheck(L_8); ArrayElementTypeCheck (L_8, L_11); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeObject *)L_11); ObjectU5BU5D_t846638089* L_12 = L_8; NullCheck(L_12); ArrayElementTypeCheck (L_12, _stringLiteral1440445895); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_13 = L_12; bool L_14 = Achievement_get_hidden_m3185133102(__this, /*hidden argument*/NULL); bool L_15 = L_14; RuntimeObject * L_16 = Box(Boolean_t2424243573_il2cpp_TypeInfo_var, &L_15); NullCheck(L_13); ArrayElementTypeCheck (L_13, L_16); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeObject *)L_16); ObjectU5BU5D_t846638089* L_17 = L_13; NullCheck(L_17); ArrayElementTypeCheck (L_17, _stringLiteral1440445895); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(7), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_18 = L_17; DateTime_t816944984 L_19 = Achievement_get_lastReportedDate_m2439172690(__this, /*hidden argument*/NULL); DateTime_t816944984 L_20 = L_19; RuntimeObject * L_21 = Box(DateTime_t816944984_il2cpp_TypeInfo_var, &L_20); NullCheck(L_18); ArrayElementTypeCheck (L_18, L_21); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(8), (RuntimeObject *)L_21); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_22 = String_Concat_m1272828652(NULL /*static, unused*/, L_18, /*hidden argument*/NULL); V_0 = L_22; goto IL_0074; } IL_0074: { String_t* L_23 = V_0; return L_23; } } // System.String UnityEngine.SocialPlatforms.Impl.Achievement::get_id() extern "C" String_t* Achievement_get_id_m1511743509 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_U3CidU3Ek__BackingField_3(); V_0 = L_0; goto IL_000c; } IL_000c: { String_t* L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::set_id(System.String) extern "C" void Achievement_set_id_m928956625 (Achievement_t4251433276 * __this, String_t* ___value0, const RuntimeMethod* method) { { String_t* L_0 = ___value0; __this->set_U3CidU3Ek__BackingField_3(L_0); return; } } // System.Double UnityEngine.SocialPlatforms.Impl.Achievement::get_percentCompleted() extern "C" double Achievement_get_percentCompleted_m4241224651 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { double V_0 = 0.0; { double L_0 = __this->get_U3CpercentCompletedU3Ek__BackingField_4(); V_0 = L_0; goto IL_000c; } IL_000c: { double L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Achievement::set_percentCompleted(System.Double) extern "C" void Achievement_set_percentCompleted_m205833948 (Achievement_t4251433276 * __this, double ___value0, const RuntimeMethod* method) { { double L_0 = ___value0; __this->set_U3CpercentCompletedU3Ek__BackingField_4(L_0); return; } } // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::get_completed() extern "C" bool Achievement_get_completed_m396200211 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { bool V_0 = false; { bool L_0 = __this->get_m_Completed_0(); V_0 = L_0; goto IL_000d; } IL_000d: { bool L_1 = V_0; return L_1; } } // System.Boolean UnityEngine.SocialPlatforms.Impl.Achievement::get_hidden() extern "C" bool Achievement_get_hidden_m3185133102 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { bool V_0 = false; { bool L_0 = __this->get_m_Hidden_1(); V_0 = L_0; goto IL_000d; } IL_000d: { bool L_1 = V_0; return L_1; } } // System.DateTime UnityEngine.SocialPlatforms.Impl.Achievement::get_lastReportedDate() extern "C" DateTime_t816944984 Achievement_get_lastReportedDate_m2439172690 (Achievement_t4251433276 * __this, const RuntimeMethod* method) { DateTime_t816944984 V_0; memset(&V_0, 0, sizeof(V_0)); { DateTime_t816944984 L_0 = __this->get_m_LastReportedDate_2(); V_0 = L_0; goto IL_000d; } IL_000d: { DateTime_t816944984 L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::.ctor(System.String,System.String,UnityEngine.Texture2D,System.String,System.String,System.Boolean,System.Int32) extern "C" void AchievementDescription__ctor_m2902436647 (AchievementDescription_t3742507101 * __this, String_t* ___id0, String_t* ___title1, Texture2D_t4076404164 * ___image2, String_t* ___achievedDescription3, String_t* ___unachievedDescription4, bool ___hidden5, int32_t ___points6, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); String_t* L_0 = ___id0; AchievementDescription_set_id_m3476870270(__this, L_0, /*hidden argument*/NULL); String_t* L_1 = ___title1; __this->set_m_Title_0(L_1); Texture2D_t4076404164 * L_2 = ___image2; __this->set_m_Image_1(L_2); String_t* L_3 = ___achievedDescription3; __this->set_m_AchievedDescription_2(L_3); String_t* L_4 = ___unachievedDescription4; __this->set_m_UnachievedDescription_3(L_4); bool L_5 = ___hidden5; __this->set_m_Hidden_4(L_5); int32_t L_6 = ___points6; __this->set_m_Points_5(L_6); return; } } // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::ToString() extern "C" String_t* AchievementDescription_ToString_m1669013835 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (AchievementDescription_ToString_m1669013835_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)((int32_t)11))); String_t* L_1 = AchievementDescription_get_id_m2012506865(__this, /*hidden argument*/NULL); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_1); ObjectU5BU5D_t846638089* L_2 = L_0; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral1440445895); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_3 = L_2; String_t* L_4 = AchievementDescription_get_title_m1416265605(__this, /*hidden argument*/NULL); NullCheck(L_3); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_4); ObjectU5BU5D_t846638089* L_5 = L_3; NullCheck(L_5); ArrayElementTypeCheck (L_5, _stringLiteral1440445895); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_6 = L_5; String_t* L_7 = AchievementDescription_get_achievedDescription_m2009048951(__this, /*hidden argument*/NULL); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_7); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeObject *)L_7); ObjectU5BU5D_t846638089* L_8 = L_6; NullCheck(L_8); ArrayElementTypeCheck (L_8, _stringLiteral1440445895); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_9 = L_8; String_t* L_10 = AchievementDescription_get_unachievedDescription_m615266897(__this, /*hidden argument*/NULL); NullCheck(L_9); ArrayElementTypeCheck (L_9, L_10); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeObject *)L_10); ObjectU5BU5D_t846638089* L_11 = L_9; NullCheck(L_11); ArrayElementTypeCheck (L_11, _stringLiteral1440445895); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(7), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_12 = L_11; int32_t L_13 = AchievementDescription_get_points_m3421879878(__this, /*hidden argument*/NULL); int32_t L_14 = L_13; RuntimeObject * L_15 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_14); NullCheck(L_12); ArrayElementTypeCheck (L_12, L_15); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(8), (RuntimeObject *)L_15); ObjectU5BU5D_t846638089* L_16 = L_12; NullCheck(L_16); ArrayElementTypeCheck (L_16, _stringLiteral1440445895); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_17 = L_16; bool L_18 = AchievementDescription_get_hidden_m3778119205(__this, /*hidden argument*/NULL); bool L_19 = L_18; RuntimeObject * L_20 = Box(Boolean_t2424243573_il2cpp_TypeInfo_var, &L_19); NullCheck(L_17); ArrayElementTypeCheck (L_17, L_20); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (RuntimeObject *)L_20); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_21 = String_Concat_m1272828652(NULL /*static, unused*/, L_17, /*hidden argument*/NULL); V_0 = L_21; goto IL_007d; } IL_007d: { String_t* L_22 = V_0; return L_22; } } // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::SetImage(UnityEngine.Texture2D) extern "C" void AchievementDescription_SetImage_m779714181 (AchievementDescription_t3742507101 * __this, Texture2D_t4076404164 * ___image0, const RuntimeMethod* method) { { Texture2D_t4076404164 * L_0 = ___image0; __this->set_m_Image_1(L_0); return; } } // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_id() extern "C" String_t* AchievementDescription_get_id_m2012506865 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_U3CidU3Ek__BackingField_6(); V_0 = L_0; goto IL_000c; } IL_000c: { String_t* L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.AchievementDescription::set_id(System.String) extern "C" void AchievementDescription_set_id_m3476870270 (AchievementDescription_t3742507101 * __this, String_t* ___value0, const RuntimeMethod* method) { { String_t* L_0 = ___value0; __this->set_U3CidU3Ek__BackingField_6(L_0); return; } } // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_title() extern "C" String_t* AchievementDescription_get_title_m1416265605 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_Title_0(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_achievedDescription() extern "C" String_t* AchievementDescription_get_achievedDescription_m2009048951 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_AchievedDescription_2(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.String UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_unachievedDescription() extern "C" String_t* AchievementDescription_get_unachievedDescription_m615266897 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_UnachievedDescription_3(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.Boolean UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_hidden() extern "C" bool AchievementDescription_get_hidden_m3778119205 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { bool V_0 = false; { bool L_0 = __this->get_m_Hidden_4(); V_0 = L_0; goto IL_000d; } IL_000d: { bool L_1 = V_0; return L_1; } } // System.Int32 UnityEngine.SocialPlatforms.Impl.AchievementDescription::get_points() extern "C" int32_t AchievementDescription_get_points_m3421879878 (AchievementDescription_t3742507101 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get_m_Points_5(); V_0 = L_0; goto IL_000d; } IL_000d: { int32_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::.ctor() extern "C" void Leaderboard__ctor_m1837150948 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Leaderboard__ctor_m1837150948_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); Leaderboard_set_id_m2071767824(__this, _stringLiteral3814447630, /*hidden argument*/NULL); Range_t566114770 L_0; memset(&L_0, 0, sizeof(L_0)); Range__ctor_m2551048510((&L_0), 1, ((int32_t)10), /*hidden argument*/NULL); Leaderboard_set_range_m1572609674(__this, L_0, /*hidden argument*/NULL); Leaderboard_set_userScope_m3444257663(__this, 0, /*hidden argument*/NULL); Leaderboard_set_timeScope_m3990583593(__this, 2, /*hidden argument*/NULL); __this->set_m_Loading_0((bool)0); Score_t3892511509 * L_1 = (Score_t3892511509 *)il2cpp_codegen_object_new(Score_t3892511509_il2cpp_TypeInfo_var); Score__ctor_m1186786678(L_1, _stringLiteral3814447630, (((int64_t)((int64_t)0))), /*hidden argument*/NULL); __this->set_m_LocalUserScore_1(L_1); __this->set_m_MaxRange_2(0); __this->set_m_Scores_3((IScoreU5BU5D_t2900809688*)((ScoreU5BU5D_t2970152184*)SZArrayNew(ScoreU5BU5D_t2970152184_il2cpp_TypeInfo_var, (uint32_t)0))); __this->set_m_Title_4(_stringLiteral3814447630); __this->set_m_UserIDs_5(((StringU5BU5D_t2238447960*)SZArrayNew(StringU5BU5D_t2238447960_il2cpp_TypeInfo_var, (uint32_t)0))); return; } } // System.String UnityEngine.SocialPlatforms.Impl.Leaderboard::ToString() extern "C" String_t* Leaderboard_ToString_m111318342 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Leaderboard_ToString_m111318342_MetadataUsageId); s_Il2CppMethodInitialized = true; } Range_t566114770 V_0; memset(&V_0, 0, sizeof(V_0)); Range_t566114770 V_1; memset(&V_1, 0, sizeof(V_1)); String_t* V_2 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)((int32_t)20))); NullCheck(L_0); ArrayElementTypeCheck (L_0, _stringLiteral3768427018); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteral3768427018); ObjectU5BU5D_t846638089* L_1 = L_0; String_t* L_2 = Leaderboard_get_id_m3108128656(__this, /*hidden argument*/NULL); NullCheck(L_1); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_2); ObjectU5BU5D_t846638089* L_3 = L_1; NullCheck(L_3); ArrayElementTypeCheck (L_3, _stringLiteral350686890); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)_stringLiteral350686890); ObjectU5BU5D_t846638089* L_4 = L_3; String_t* L_5 = __this->get_m_Title_4(); NullCheck(L_4); ArrayElementTypeCheck (L_4, L_5); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)L_5); ObjectU5BU5D_t846638089* L_6 = L_4; NullCheck(L_6); ArrayElementTypeCheck (L_6, _stringLiteral596665235); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeObject *)_stringLiteral596665235); ObjectU5BU5D_t846638089* L_7 = L_6; bool L_8 = __this->get_m_Loading_0(); bool L_9 = L_8; RuntimeObject * L_10 = Box(Boolean_t2424243573_il2cpp_TypeInfo_var, &L_9); NullCheck(L_7); ArrayElementTypeCheck (L_7, L_10); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeObject *)L_10); ObjectU5BU5D_t846638089* L_11 = L_7; NullCheck(L_11); ArrayElementTypeCheck (L_11, _stringLiteral1485941235); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeObject *)_stringLiteral1485941235); ObjectU5BU5D_t846638089* L_12 = L_11; Range_t566114770 L_13 = Leaderboard_get_range_m2004097581(__this, /*hidden argument*/NULL); V_0 = L_13; int32_t L_14 = (&V_0)->get_from_0(); int32_t L_15 = L_14; RuntimeObject * L_16 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_15); NullCheck(L_12); ArrayElementTypeCheck (L_12, L_16); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(7), (RuntimeObject *)L_16); ObjectU5BU5D_t846638089* L_17 = L_12; NullCheck(L_17); ArrayElementTypeCheck (L_17, _stringLiteral503155397); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(8), (RuntimeObject *)_stringLiteral503155397); ObjectU5BU5D_t846638089* L_18 = L_17; Range_t566114770 L_19 = Leaderboard_get_range_m2004097581(__this, /*hidden argument*/NULL); V_1 = L_19; int32_t L_20 = (&V_1)->get_count_1(); int32_t L_21 = L_20; RuntimeObject * L_22 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_21); NullCheck(L_18); ArrayElementTypeCheck (L_18, L_22); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (RuntimeObject *)L_22); ObjectU5BU5D_t846638089* L_23 = L_18; NullCheck(L_23); ArrayElementTypeCheck (L_23, _stringLiteral1907094602); (L_23)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (RuntimeObject *)_stringLiteral1907094602); ObjectU5BU5D_t846638089* L_24 = L_23; uint32_t L_25 = __this->get_m_MaxRange_2(); uint32_t L_26 = L_25; RuntimeObject * L_27 = Box(UInt32_t2538635477_il2cpp_TypeInfo_var, &L_26); NullCheck(L_24); ArrayElementTypeCheck (L_24, L_27); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (RuntimeObject *)L_27); ObjectU5BU5D_t846638089* L_28 = L_24; NullCheck(L_28); ArrayElementTypeCheck (L_28, _stringLiteral1877171292); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (RuntimeObject *)_stringLiteral1877171292); ObjectU5BU5D_t846638089* L_29 = L_28; IScoreU5BU5D_t2900809688* L_30 = __this->get_m_Scores_3(); NullCheck(L_30); int32_t L_31 = (((int32_t)((int32_t)(((RuntimeArray *)L_30)->max_length)))); RuntimeObject * L_32 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_31); NullCheck(L_29); ArrayElementTypeCheck (L_29, L_32); (L_29)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (RuntimeObject *)L_32); ObjectU5BU5D_t846638089* L_33 = L_29; NullCheck(L_33); ArrayElementTypeCheck (L_33, _stringLiteral632659514); (L_33)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (RuntimeObject *)_stringLiteral632659514); ObjectU5BU5D_t846638089* L_34 = L_33; int32_t L_35 = Leaderboard_get_userScope_m2940170876(__this, /*hidden argument*/NULL); int32_t L_36 = L_35; RuntimeObject * L_37 = Box(UserScope_t1971278910_il2cpp_TypeInfo_var, &L_36); NullCheck(L_34); ArrayElementTypeCheck (L_34, L_37); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (RuntimeObject *)L_37); ObjectU5BU5D_t846638089* L_38 = L_34; NullCheck(L_38); ArrayElementTypeCheck (L_38, _stringLiteral1428058895); (L_38)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (RuntimeObject *)_stringLiteral1428058895); ObjectU5BU5D_t846638089* L_39 = L_38; int32_t L_40 = Leaderboard_get_timeScope_m3674644012(__this, /*hidden argument*/NULL); int32_t L_41 = L_40; RuntimeObject * L_42 = Box(TimeScope_t2868242971_il2cpp_TypeInfo_var, &L_41); NullCheck(L_39); ArrayElementTypeCheck (L_39, L_42); (L_39)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (RuntimeObject *)L_42); ObjectU5BU5D_t846638089* L_43 = L_39; NullCheck(L_43); ArrayElementTypeCheck (L_43, _stringLiteral550843971); (L_43)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (RuntimeObject *)_stringLiteral550843971); ObjectU5BU5D_t846638089* L_44 = L_43; StringU5BU5D_t2238447960* L_45 = __this->get_m_UserIDs_5(); NullCheck(L_45); int32_t L_46 = (((int32_t)((int32_t)(((RuntimeArray *)L_45)->max_length)))); RuntimeObject * L_47 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_46); NullCheck(L_44); ArrayElementTypeCheck (L_44, L_47); (L_44)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (RuntimeObject *)L_47); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_48 = String_Concat_m1272828652(NULL /*static, unused*/, L_44, /*hidden argument*/NULL); V_2 = L_48; goto IL_0104; } IL_0104: { String_t* L_49 = V_2; return L_49; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetLocalUserScore(UnityEngine.SocialPlatforms.IScore) extern "C" void Leaderboard_SetLocalUserScore_m4114323490 (Leaderboard_t1235456057 * __this, RuntimeObject* ___score0, const RuntimeMethod* method) { { RuntimeObject* L_0 = ___score0; __this->set_m_LocalUserScore_1(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetMaxRange(System.UInt32) extern "C" void Leaderboard_SetMaxRange_m370771843 (Leaderboard_t1235456057 * __this, uint32_t ___maxRange0, const RuntimeMethod* method) { { uint32_t L_0 = ___maxRange0; __this->set_m_MaxRange_2(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetScores(UnityEngine.SocialPlatforms.IScore[]) extern "C" void Leaderboard_SetScores_m89263222 (Leaderboard_t1235456057 * __this, IScoreU5BU5D_t2900809688* ___scores0, const RuntimeMethod* method) { { IScoreU5BU5D_t2900809688* L_0 = ___scores0; __this->set_m_Scores_3(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::SetTitle(System.String) extern "C" void Leaderboard_SetTitle_m3506897619 (Leaderboard_t1235456057 * __this, String_t* ___title0, const RuntimeMethod* method) { { String_t* L_0 = ___title0; __this->set_m_Title_4(L_0); return; } } // System.String[] UnityEngine.SocialPlatforms.Impl.Leaderboard::GetUserFilter() extern "C" StringU5BU5D_t2238447960* Leaderboard_GetUserFilter_m1857492805 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { StringU5BU5D_t2238447960* V_0 = NULL; { StringU5BU5D_t2238447960* L_0 = __this->get_m_UserIDs_5(); V_0 = L_0; goto IL_000d; } IL_000d: { StringU5BU5D_t2238447960* L_1 = V_0; return L_1; } } // System.String UnityEngine.SocialPlatforms.Impl.Leaderboard::get_id() extern "C" String_t* Leaderboard_get_id_m3108128656 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_U3CidU3Ek__BackingField_6(); V_0 = L_0; goto IL_000c; } IL_000c: { String_t* L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_id(System.String) extern "C" void Leaderboard_set_id_m2071767824 (Leaderboard_t1235456057 * __this, String_t* ___value0, const RuntimeMethod* method) { { String_t* L_0 = ___value0; __this->set_U3CidU3Ek__BackingField_6(L_0); return; } } // UnityEngine.SocialPlatforms.UserScope UnityEngine.SocialPlatforms.Impl.Leaderboard::get_userScope() extern "C" int32_t Leaderboard_get_userScope_m2940170876 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get_U3CuserScopeU3Ek__BackingField_7(); V_0 = L_0; goto IL_000c; } IL_000c: { int32_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_userScope(UnityEngine.SocialPlatforms.UserScope) extern "C" void Leaderboard_set_userScope_m3444257663 (Leaderboard_t1235456057 * __this, int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; __this->set_U3CuserScopeU3Ek__BackingField_7(L_0); return; } } // UnityEngine.SocialPlatforms.Range UnityEngine.SocialPlatforms.Impl.Leaderboard::get_range() extern "C" Range_t566114770 Leaderboard_get_range_m2004097581 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { Range_t566114770 V_0; memset(&V_0, 0, sizeof(V_0)); { Range_t566114770 L_0 = __this->get_U3CrangeU3Ek__BackingField_8(); V_0 = L_0; goto IL_000c; } IL_000c: { Range_t566114770 L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_range(UnityEngine.SocialPlatforms.Range) extern "C" void Leaderboard_set_range_m1572609674 (Leaderboard_t1235456057 * __this, Range_t566114770 ___value0, const RuntimeMethod* method) { { Range_t566114770 L_0 = ___value0; __this->set_U3CrangeU3Ek__BackingField_8(L_0); return; } } // UnityEngine.SocialPlatforms.TimeScope UnityEngine.SocialPlatforms.Impl.Leaderboard::get_timeScope() extern "C" int32_t Leaderboard_get_timeScope_m3674644012 (Leaderboard_t1235456057 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get_U3CtimeScopeU3Ek__BackingField_9(); V_0 = L_0; goto IL_000c; } IL_000c: { int32_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Leaderboard::set_timeScope(UnityEngine.SocialPlatforms.TimeScope) extern "C" void Leaderboard_set_timeScope_m3990583593 (Leaderboard_t1235456057 * __this, int32_t ___value0, const RuntimeMethod* method) { { int32_t L_0 = ___value0; __this->set_U3CtimeScopeU3Ek__BackingField_9(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::.ctor() extern "C" void LocalUser__ctor_m2973983157 (LocalUser_t3045384341 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LocalUser__ctor_m2973983157_MetadataUsageId); s_Il2CppMethodInitialized = true; } { UserProfile__ctor_m2569318417(__this, /*hidden argument*/NULL); __this->set_m_Friends_5((IUserProfileU5BU5D_t3837827452*)((UserProfileU5BU5D_t1816242286*)SZArrayNew(UserProfileU5BU5D_t1816242286_il2cpp_TypeInfo_var, (uint32_t)0))); __this->set_m_Authenticated_6((bool)0); __this->set_m_Underage_7((bool)0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetFriends(UnityEngine.SocialPlatforms.IUserProfile[]) extern "C" void LocalUser_SetFriends_m2322591960 (LocalUser_t3045384341 * __this, IUserProfileU5BU5D_t3837827452* ___friends0, const RuntimeMethod* method) { { IUserProfileU5BU5D_t3837827452* L_0 = ___friends0; __this->set_m_Friends_5(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetAuthenticated(System.Boolean) extern "C" void LocalUser_SetAuthenticated_m3708139892 (LocalUser_t3045384341 * __this, bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; __this->set_m_Authenticated_6(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.LocalUser::SetUnderage(System.Boolean) extern "C" void LocalUser_SetUnderage_m3277572022 (LocalUser_t3045384341 * __this, bool ___value0, const RuntimeMethod* method) { { bool L_0 = ___value0; __this->set_m_Underage_7(L_0); return; } } // System.Boolean UnityEngine.SocialPlatforms.Impl.LocalUser::get_authenticated() extern "C" bool LocalUser_get_authenticated_m514381520 (LocalUser_t3045384341 * __this, const RuntimeMethod* method) { bool V_0 = false; { bool L_0 = __this->get_m_Authenticated_6(); V_0 = L_0; goto IL_000d; } IL_000d: { bool L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Score::.ctor(System.String,System.Int64) extern "C" void Score__ctor_m1186786678 (Score_t3892511509 * __this, String_t* ___leaderboardID0, int64_t ___value1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Score__ctor_m1186786678_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___leaderboardID0; int64_t L_1 = ___value1; IL2CPP_RUNTIME_CLASS_INIT(DateTime_t816944984_il2cpp_TypeInfo_var); DateTime_t816944984 L_2 = DateTime_get_Now_m453693458(NULL /*static, unused*/, /*hidden argument*/NULL); Score__ctor_m3756514689(__this, L_0, L_1, _stringLiteral375227176, L_2, _stringLiteral2971679517, (-1), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.Score::.ctor(System.String,System.Int64,System.String,System.DateTime,System.String,System.Int32) extern "C" void Score__ctor_m3756514689 (Score_t3892511509 * __this, String_t* ___leaderboardID0, int64_t ___value1, String_t* ___userID2, DateTime_t816944984 ___date3, String_t* ___formattedValue4, int32_t ___rank5, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); String_t* L_0 = ___leaderboardID0; Score_set_leaderboardID_m3330714218(__this, L_0, /*hidden argument*/NULL); int64_t L_1 = ___value1; Score_set_value_m3990602134(__this, L_1, /*hidden argument*/NULL); String_t* L_2 = ___userID2; __this->set_m_UserID_2(L_2); DateTime_t816944984 L_3 = ___date3; __this->set_m_Date_0(L_3); String_t* L_4 = ___formattedValue4; __this->set_m_FormattedValue_1(L_4); int32_t L_5 = ___rank5; __this->set_m_Rank_3(L_5); return; } } // System.String UnityEngine.SocialPlatforms.Impl.Score::ToString() extern "C" String_t* Score_ToString_m2836540047 (Score_t3892511509 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Score_ToString_m2836540047_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)((int32_t)10))); NullCheck(L_0); ArrayElementTypeCheck (L_0, _stringLiteral1818617330); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)_stringLiteral1818617330); ObjectU5BU5D_t846638089* L_1 = L_0; int32_t L_2 = __this->get_m_Rank_3(); int32_t L_3 = L_2; RuntimeObject * L_4 = Box(Int32_t722418373_il2cpp_TypeInfo_var, &L_3); NullCheck(L_1); ArrayElementTypeCheck (L_1, L_4); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_4); ObjectU5BU5D_t846638089* L_5 = L_1; NullCheck(L_5); ArrayElementTypeCheck (L_5, _stringLiteral2736760701); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)_stringLiteral2736760701); ObjectU5BU5D_t846638089* L_6 = L_5; int64_t L_7 = Score_get_value_m3565413471(__this, /*hidden argument*/NULL); int64_t L_8 = L_7; RuntimeObject * L_9 = Box(Int64_t258685067_il2cpp_TypeInfo_var, &L_8); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_9); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)L_9); ObjectU5BU5D_t846638089* L_10 = L_6; NullCheck(L_10); ArrayElementTypeCheck (L_10, _stringLiteral1415067843); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeObject *)_stringLiteral1415067843); ObjectU5BU5D_t846638089* L_11 = L_10; String_t* L_12 = Score_get_leaderboardID_m3121159623(__this, /*hidden argument*/NULL); NullCheck(L_11); ArrayElementTypeCheck (L_11, L_12); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeObject *)L_12); ObjectU5BU5D_t846638089* L_13 = L_11; NullCheck(L_13); ArrayElementTypeCheck (L_13, _stringLiteral2613433234); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeObject *)_stringLiteral2613433234); ObjectU5BU5D_t846638089* L_14 = L_13; String_t* L_15 = __this->get_m_UserID_2(); NullCheck(L_14); ArrayElementTypeCheck (L_14, L_15); (L_14)->SetAt(static_cast<il2cpp_array_size_t>(7), (RuntimeObject *)L_15); ObjectU5BU5D_t846638089* L_16 = L_14; NullCheck(L_16); ArrayElementTypeCheck (L_16, _stringLiteral2804915597); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(8), (RuntimeObject *)_stringLiteral2804915597); ObjectU5BU5D_t846638089* L_17 = L_16; DateTime_t816944984 L_18 = __this->get_m_Date_0(); DateTime_t816944984 L_19 = L_18; RuntimeObject * L_20 = Box(DateTime_t816944984_il2cpp_TypeInfo_var, &L_19); NullCheck(L_17); ArrayElementTypeCheck (L_17, L_20); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (RuntimeObject *)L_20); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_21 = String_Concat_m1272828652(NULL /*static, unused*/, L_17, /*hidden argument*/NULL); V_0 = L_21; goto IL_0078; } IL_0078: { String_t* L_22 = V_0; return L_22; } } // System.String UnityEngine.SocialPlatforms.Impl.Score::get_leaderboardID() extern "C" String_t* Score_get_leaderboardID_m3121159623 (Score_t3892511509 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_U3CleaderboardIDU3Ek__BackingField_4(); V_0 = L_0; goto IL_000c; } IL_000c: { String_t* L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Score::set_leaderboardID(System.String) extern "C" void Score_set_leaderboardID_m3330714218 (Score_t3892511509 * __this, String_t* ___value0, const RuntimeMethod* method) { { String_t* L_0 = ___value0; __this->set_U3CleaderboardIDU3Ek__BackingField_4(L_0); return; } } // System.Int64 UnityEngine.SocialPlatforms.Impl.Score::get_value() extern "C" int64_t Score_get_value_m3565413471 (Score_t3892511509 * __this, const RuntimeMethod* method) { int64_t V_0 = 0; { int64_t L_0 = __this->get_U3CvalueU3Ek__BackingField_5(); V_0 = L_0; goto IL_000c; } IL_000c: { int64_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Impl.Score::set_value(System.Int64) extern "C" void Score_set_value_m3990602134 (Score_t3892511509 * __this, int64_t ___value0, const RuntimeMethod* method) { { int64_t L_0 = ___value0; __this->set_U3CvalueU3Ek__BackingField_5(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::.ctor() extern "C" void UserProfile__ctor_m2569318417 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (UserProfile__ctor_m2569318417_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); __this->set_m_UserName_0(_stringLiteral1886896764); __this->set_m_ID_1(_stringLiteral375227176); __this->set_m_IsFriend_2((bool)0); __this->set_m_State_3(3); Texture2D_t4076404164 * L_0 = (Texture2D_t4076404164 *)il2cpp_codegen_object_new(Texture2D_t4076404164_il2cpp_TypeInfo_var); Texture2D__ctor_m1311730241(L_0, ((int32_t)32), ((int32_t)32), /*hidden argument*/NULL); __this->set_m_Image_4(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::.ctor(System.String,System.String,System.Boolean,UnityEngine.SocialPlatforms.UserState,UnityEngine.Texture2D) extern "C" void UserProfile__ctor_m244032582 (UserProfile_t778432599 * __this, String_t* ___name0, String_t* ___id1, bool ___friend2, int32_t ___state3, Texture2D_t4076404164 * ___image4, const RuntimeMethod* method) { { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); String_t* L_0 = ___name0; __this->set_m_UserName_0(L_0); String_t* L_1 = ___id1; __this->set_m_ID_1(L_1); bool L_2 = ___friend2; __this->set_m_IsFriend_2(L_2); int32_t L_3 = ___state3; __this->set_m_State_3(L_3); Texture2D_t4076404164 * L_4 = ___image4; __this->set_m_Image_4(L_4); return; } } // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::ToString() extern "C" String_t* UserProfile_ToString_m4153500030 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (UserProfile_ToString_m4153500030_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; { ObjectU5BU5D_t846638089* L_0 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)7)); String_t* L_1 = UserProfile_get_id_m3867465340(__this, /*hidden argument*/NULL); NullCheck(L_0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_1); ObjectU5BU5D_t846638089* L_2 = L_0; NullCheck(L_2); ArrayElementTypeCheck (L_2, _stringLiteral1440445895); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_3 = L_2; String_t* L_4 = UserProfile_get_userName_m792865578(__this, /*hidden argument*/NULL); NullCheck(L_3); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(2), (RuntimeObject *)L_4); ObjectU5BU5D_t846638089* L_5 = L_3; NullCheck(L_5); ArrayElementTypeCheck (L_5, _stringLiteral1440445895); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(3), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_6 = L_5; bool L_7 = UserProfile_get_isFriend_m492511309(__this, /*hidden argument*/NULL); bool L_8 = L_7; RuntimeObject * L_9 = Box(Boolean_t2424243573_il2cpp_TypeInfo_var, &L_8); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_9); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(4), (RuntimeObject *)L_9); ObjectU5BU5D_t846638089* L_10 = L_6; NullCheck(L_10); ArrayElementTypeCheck (L_10, _stringLiteral1440445895); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(5), (RuntimeObject *)_stringLiteral1440445895); ObjectU5BU5D_t846638089* L_11 = L_10; int32_t L_12 = UserProfile_get_state_m996517354(__this, /*hidden argument*/NULL); int32_t L_13 = L_12; RuntimeObject * L_14 = Box(UserState_t1300169449_il2cpp_TypeInfo_var, &L_13); NullCheck(L_11); ArrayElementTypeCheck (L_11, L_14); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(6), (RuntimeObject *)L_14); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_15 = String_Concat_m1272828652(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); V_0 = L_15; goto IL_0058; } IL_0058: { String_t* L_16 = V_0; return L_16; } } // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetUserName(System.String) extern "C" void UserProfile_SetUserName_m1716671898 (UserProfile_t778432599 * __this, String_t* ___name0, const RuntimeMethod* method) { { String_t* L_0 = ___name0; __this->set_m_UserName_0(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetUserID(System.String) extern "C" void UserProfile_SetUserID_m3997189040 (UserProfile_t778432599 * __this, String_t* ___id0, const RuntimeMethod* method) { { String_t* L_0 = ___id0; __this->set_m_ID_1(L_0); return; } } // System.Void UnityEngine.SocialPlatforms.Impl.UserProfile::SetImage(UnityEngine.Texture2D) extern "C" void UserProfile_SetImage_m1603917329 (UserProfile_t778432599 * __this, Texture2D_t4076404164 * ___image0, const RuntimeMethod* method) { { Texture2D_t4076404164 * L_0 = ___image0; __this->set_m_Image_4(L_0); return; } } // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::get_userName() extern "C" String_t* UserProfile_get_userName_m792865578 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_UserName_0(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.String UnityEngine.SocialPlatforms.Impl.UserProfile::get_id() extern "C" String_t* UserProfile_get_id_m3867465340 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { String_t* V_0 = NULL; { String_t* L_0 = __this->get_m_ID_1(); V_0 = L_0; goto IL_000d; } IL_000d: { String_t* L_1 = V_0; return L_1; } } // System.Boolean UnityEngine.SocialPlatforms.Impl.UserProfile::get_isFriend() extern "C" bool UserProfile_get_isFriend_m492511309 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { bool V_0 = false; { bool L_0 = __this->get_m_IsFriend_2(); V_0 = L_0; goto IL_000d; } IL_000d: { bool L_1 = V_0; return L_1; } } // UnityEngine.SocialPlatforms.UserState UnityEngine.SocialPlatforms.Impl.UserProfile::get_state() extern "C" int32_t UserProfile_get_state_m996517354 (UserProfile_t778432599 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get_m_State_3(); V_0 = L_0; goto IL_000d; } IL_000d: { int32_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.SocialPlatforms.Range::.ctor(System.Int32,System.Int32) extern "C" void Range__ctor_m2551048510 (Range_t566114770 * __this, int32_t ___fromValue0, int32_t ___valueCount1, const RuntimeMethod* method) { { int32_t L_0 = ___fromValue0; __this->set_from_0(L_0); int32_t L_1 = ___valueCount1; __this->set_count_1(L_1); return; } } extern "C" void Range__ctor_m2551048510_AdjustorThunk (RuntimeObject * __this, int32_t ___fromValue0, int32_t ___valueCount1, const RuntimeMethod* method) { Range_t566114770 * _thisAdjusted = reinterpret_cast<Range_t566114770 *>(__this + 1); Range__ctor_m2551048510(_thisAdjusted, ___fromValue0, ___valueCount1, method); } // System.Int32 UnityEngine.SortingLayer::GetLayerValueFromID(System.Int32) extern "C" int32_t SortingLayer_GetLayerValueFromID_m2832942808 (RuntimeObject * __this /* static, unused */, int32_t ___id0, const RuntimeMethod* method) { typedef int32_t (*SortingLayer_GetLayerValueFromID_m2832942808_ftn) (int32_t); static SortingLayer_GetLayerValueFromID_m2832942808_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SortingLayer_GetLayerValueFromID_m2832942808_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SortingLayer::GetLayerValueFromID(System.Int32)"); int32_t retVal = _il2cpp_icall_func(___id0); return retVal; } // System.Void UnityEngine.SpaceAttribute::.ctor() extern "C" void SpaceAttribute__ctor_m392975623 (SpaceAttribute_t658595587 * __this, const RuntimeMethod* method) { { PropertyAttribute__ctor_m3153095945(__this, /*hidden argument*/NULL); __this->set_height_0((8.0f)); return; } } // System.Void UnityEngine.SpaceAttribute::.ctor(System.Single) extern "C" void SpaceAttribute__ctor_m2766550150 (SpaceAttribute_t658595587 * __this, float ___height0, const RuntimeMethod* method) { { PropertyAttribute__ctor_m3153095945(__this, /*hidden argument*/NULL); float L_0 = ___height0; __this->set_height_0(L_0); return; } } // System.Void UnityEngine.SphereCollider::.ctor() extern "C" void SphereCollider__ctor_m3545176406 (SphereCollider_t2017910708 * __this, const RuntimeMethod* method) { { Collider__ctor_m4251485570(__this, /*hidden argument*/NULL); return; } } // UnityEngine.Vector3 UnityEngine.SphereCollider::get_center() extern "C" Vector3_t1874995928 SphereCollider_get_center_m4136962338 (SphereCollider_t2017910708 * __this, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { SphereCollider_INTERNAL_get_center_m4045384693(__this, (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.SphereCollider::set_center(UnityEngine.Vector3) extern "C" void SphereCollider_set_center_m3183190862 (SphereCollider_t2017910708 * __this, Vector3_t1874995928 ___value0, const RuntimeMethod* method) { { SphereCollider_INTERNAL_set_center_m384434388(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.SphereCollider::INTERNAL_get_center(UnityEngine.Vector3&) extern "C" void SphereCollider_INTERNAL_get_center_m4045384693 (SphereCollider_t2017910708 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*SphereCollider_INTERNAL_get_center_m4045384693_ftn) (SphereCollider_t2017910708 *, Vector3_t1874995928 *); static SphereCollider_INTERNAL_get_center_m4045384693_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SphereCollider_INTERNAL_get_center_m4045384693_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SphereCollider::INTERNAL_get_center(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.SphereCollider::INTERNAL_set_center(UnityEngine.Vector3&) extern "C" void SphereCollider_INTERNAL_set_center_m384434388 (SphereCollider_t2017910708 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*SphereCollider_INTERNAL_set_center_m384434388_ftn) (SphereCollider_t2017910708 *, Vector3_t1874995928 *); static SphereCollider_INTERNAL_set_center_m384434388_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SphereCollider_INTERNAL_set_center_m384434388_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SphereCollider::INTERNAL_set_center(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // System.Single UnityEngine.SphereCollider::get_radius() extern "C" float SphereCollider_get_radius_m443435881 (SphereCollider_t2017910708 * __this, const RuntimeMethod* method) { typedef float (*SphereCollider_get_radius_m443435881_ftn) (SphereCollider_t2017910708 *); static SphereCollider_get_radius_m443435881_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SphereCollider_get_radius_m443435881_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SphereCollider::get_radius()"); float retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.SphereCollider::set_radius(System.Single) extern "C" void SphereCollider_set_radius_m1783264691 (SphereCollider_t2017910708 * __this, float ___value0, const RuntimeMethod* method) { typedef void (*SphereCollider_set_radius_m1783264691_ftn) (SphereCollider_t2017910708 *, float); static SphereCollider_set_radius_m1783264691_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SphereCollider_set_radius_m1783264691_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SphereCollider::set_radius(System.Single)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Rect UnityEngine.Sprite::get_rect() extern "C" Rect_t2469536665 Sprite_get_rect_m4144769692 (Sprite_t987320674 * __this, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_INTERNAL_get_rect_m3442401296(__this, (&V_0), /*hidden argument*/NULL); Rect_t2469536665 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Rect_t2469536665 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Sprite::INTERNAL_get_rect(UnityEngine.Rect&) extern "C" void Sprite_INTERNAL_get_rect_m3442401296 (Sprite_t987320674 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) { typedef void (*Sprite_INTERNAL_get_rect_m3442401296_ftn) (Sprite_t987320674 *, Rect_t2469536665 *); static Sprite_INTERNAL_get_rect_m3442401296_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_INTERNAL_get_rect_m3442401296_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::INTERNAL_get_rect(UnityEngine.Rect&)"); _il2cpp_icall_func(__this, ___value0); } // System.Single UnityEngine.Sprite::get_pixelsPerUnit() extern "C" float Sprite_get_pixelsPerUnit_m2071202876 (Sprite_t987320674 * __this, const RuntimeMethod* method) { typedef float (*Sprite_get_pixelsPerUnit_m2071202876_ftn) (Sprite_t987320674 *); static Sprite_get_pixelsPerUnit_m2071202876_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_get_pixelsPerUnit_m2071202876_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_pixelsPerUnit()"); float retVal = _il2cpp_icall_func(__this); return retVal; } // UnityEngine.Texture2D UnityEngine.Sprite::get_texture() extern "C" Texture2D_t4076404164 * Sprite_get_texture_m1303688203 (Sprite_t987320674 * __this, const RuntimeMethod* method) { typedef Texture2D_t4076404164 * (*Sprite_get_texture_m1303688203_ftn) (Sprite_t987320674 *); static Sprite_get_texture_m1303688203_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_get_texture_m1303688203_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_texture()"); Texture2D_t4076404164 * retVal = _il2cpp_icall_func(__this); return retVal; } // UnityEngine.Texture2D UnityEngine.Sprite::get_associatedAlphaSplitTexture() extern "C" Texture2D_t4076404164 * Sprite_get_associatedAlphaSplitTexture_m3429659570 (Sprite_t987320674 * __this, const RuntimeMethod* method) { typedef Texture2D_t4076404164 * (*Sprite_get_associatedAlphaSplitTexture_m3429659570_ftn) (Sprite_t987320674 *); static Sprite_get_associatedAlphaSplitTexture_m3429659570_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_get_associatedAlphaSplitTexture_m3429659570_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_associatedAlphaSplitTexture()"); Texture2D_t4076404164 * retVal = _il2cpp_icall_func(__this); return retVal; } // UnityEngine.Rect UnityEngine.Sprite::get_textureRect() extern "C" Rect_t2469536665 Sprite_get_textureRect_m1725016991 (Sprite_t987320674 * __this, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_INTERNAL_get_textureRect_m1465506121(__this, (&V_0), /*hidden argument*/NULL); Rect_t2469536665 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Rect_t2469536665 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Sprite::INTERNAL_get_textureRect(UnityEngine.Rect&) extern "C" void Sprite_INTERNAL_get_textureRect_m1465506121 (Sprite_t987320674 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) { typedef void (*Sprite_INTERNAL_get_textureRect_m1465506121_ftn) (Sprite_t987320674 *, Rect_t2469536665 *); static Sprite_INTERNAL_get_textureRect_m1465506121_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_INTERNAL_get_textureRect_m1465506121_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::INTERNAL_get_textureRect(UnityEngine.Rect&)"); _il2cpp_icall_func(__this, ___value0); } // System.Boolean UnityEngine.Sprite::get_packed() extern "C" bool Sprite_get_packed_m3078182763 (Sprite_t987320674 * __this, const RuntimeMethod* method) { typedef bool (*Sprite_get_packed_m3078182763_ftn) (Sprite_t987320674 *); static Sprite_get_packed_m3078182763_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_get_packed_m3078182763_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::get_packed()"); bool retVal = _il2cpp_icall_func(__this); return retVal; } // UnityEngine.Vector4 UnityEngine.Sprite::get_border() extern "C" Vector4_t3690795159 Sprite_get_border_m4185481223 (Sprite_t987320674 * __this, const RuntimeMethod* method) { Vector4_t3690795159 V_0; memset(&V_0, 0, sizeof(V_0)); Vector4_t3690795159 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_INTERNAL_get_border_m2605113357(__this, (&V_0), /*hidden argument*/NULL); Vector4_t3690795159 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector4_t3690795159 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Sprite::INTERNAL_get_border(UnityEngine.Vector4&) extern "C" void Sprite_INTERNAL_get_border_m2605113357 (Sprite_t987320674 * __this, Vector4_t3690795159 * ___value0, const RuntimeMethod* method) { typedef void (*Sprite_INTERNAL_get_border_m2605113357_ftn) (Sprite_t987320674 *, Vector4_t3690795159 *); static Sprite_INTERNAL_get_border_m2605113357_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Sprite_INTERNAL_get_border_m2605113357_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprite::INTERNAL_get_border(UnityEngine.Vector4&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetInnerUV(UnityEngine.Sprite) extern "C" Vector4_t3690795159 DataUtility_GetInnerUV_m1464759125 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, const RuntimeMethod* method) { Vector4_t3690795159 V_0; memset(&V_0, 0, sizeof(V_0)); Vector4_t3690795159 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_t987320674 * L_0 = ___sprite0; DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330(NULL /*static, unused*/, L_0, (&V_0), /*hidden argument*/NULL); Vector4_t3690795159 L_1 = V_0; V_1 = L_1; goto IL_0010; } IL_0010: { Vector4_t3690795159 L_2 = V_1; return L_2; } } // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetInnerUV(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) { typedef void (*DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330_ftn) (Sprite_t987320674 *, Vector4_t3690795159 *); static DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (DataUtility_INTERNAL_CALL_GetInnerUV_m2816846330_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetInnerUV(UnityEngine.Sprite,UnityEngine.Vector4&)"); _il2cpp_icall_func(___sprite0, ___value1); } // UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetOuterUV(UnityEngine.Sprite) extern "C" Vector4_t3690795159 DataUtility_GetOuterUV_m1449847653 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, const RuntimeMethod* method) { Vector4_t3690795159 V_0; memset(&V_0, 0, sizeof(V_0)); Vector4_t3690795159 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_t987320674 * L_0 = ___sprite0; DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922(NULL /*static, unused*/, L_0, (&V_0), /*hidden argument*/NULL); Vector4_t3690795159 L_1 = V_0; V_1 = L_1; goto IL_0010; } IL_0010: { Vector4_t3690795159 L_2 = V_1; return L_2; } } // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetOuterUV(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) { typedef void (*DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922_ftn) (Sprite_t987320674 *, Vector4_t3690795159 *); static DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (DataUtility_INTERNAL_CALL_GetOuterUV_m2298945922_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetOuterUV(UnityEngine.Sprite,UnityEngine.Vector4&)"); _il2cpp_icall_func(___sprite0, ___value1); } // UnityEngine.Vector4 UnityEngine.Sprites.DataUtility::GetPadding(UnityEngine.Sprite) extern "C" Vector4_t3690795159 DataUtility_GetPadding_m4217066625 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, const RuntimeMethod* method) { Vector4_t3690795159 V_0; memset(&V_0, 0, sizeof(V_0)); Vector4_t3690795159 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_t987320674 * L_0 = ___sprite0; DataUtility_INTERNAL_CALL_GetPadding_m404983347(NULL /*static, unused*/, L_0, (&V_0), /*hidden argument*/NULL); Vector4_t3690795159 L_1 = V_0; V_1 = L_1; goto IL_0010; } IL_0010: { Vector4_t3690795159 L_2 = V_1; return L_2; } } // System.Void UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetPadding(UnityEngine.Sprite,UnityEngine.Vector4&) extern "C" void DataUtility_INTERNAL_CALL_GetPadding_m404983347 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector4_t3690795159 * ___value1, const RuntimeMethod* method) { typedef void (*DataUtility_INTERNAL_CALL_GetPadding_m404983347_ftn) (Sprite_t987320674 *, Vector4_t3690795159 *); static DataUtility_INTERNAL_CALL_GetPadding_m404983347_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (DataUtility_INTERNAL_CALL_GetPadding_m404983347_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprites.DataUtility::INTERNAL_CALL_GetPadding(UnityEngine.Sprite,UnityEngine.Vector4&)"); _il2cpp_icall_func(___sprite0, ___value1); } // UnityEngine.Vector2 UnityEngine.Sprites.DataUtility::GetMinSize(UnityEngine.Sprite) extern "C" Vector2_t1870731928 DataUtility_GetMinSize_m1227533395 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { Sprite_t987320674 * L_0 = ___sprite0; DataUtility_Internal_GetMinSize_m3960471362(NULL /*static, unused*/, L_0, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_1 = V_0; V_1 = L_1; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_2 = V_1; return L_2; } } // System.Void UnityEngine.Sprites.DataUtility::Internal_GetMinSize(UnityEngine.Sprite,UnityEngine.Vector2&) extern "C" void DataUtility_Internal_GetMinSize_m3960471362 (RuntimeObject * __this /* static, unused */, Sprite_t987320674 * ___sprite0, Vector2_t1870731928 * ___output1, const RuntimeMethod* method) { typedef void (*DataUtility_Internal_GetMinSize_m3960471362_ftn) (Sprite_t987320674 *, Vector2_t1870731928 *); static DataUtility_Internal_GetMinSize_m3960471362_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (DataUtility_Internal_GetMinSize_m3960471362_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Sprites.DataUtility::Internal_GetMinSize(UnityEngine.Sprite,UnityEngine.Vector2&)"); _il2cpp_icall_func(___sprite0, ___output1); } // System.Void UnityEngine.StackTraceUtility::SetProjectFolder(System.String) extern "C" void StackTraceUtility_SetProjectFolder_m2022505082 (RuntimeObject * __this /* static, unused */, String_t* ___folder0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_SetProjectFolder_m2022505082_MetadataUsageId); s_Il2CppMethodInitialized = true; } { String_t* L_0 = ___folder0; NullCheck(L_0); String_t* L_1 = String_Replace_m1698983455(L_0, _stringLiteral3155759022, _stringLiteral2520512109, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->set_projectFolder_0(L_1); return; } } // System.String UnityEngine.StackTraceUtility::ExtractStackTrace() extern "C" String_t* StackTraceUtility_ExtractStackTrace_m3946418256 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_ExtractStackTrace_m3946418256_MetadataUsageId); s_Il2CppMethodInitialized = true; } StackTrace_t3914800897 * V_0 = NULL; String_t* V_1 = NULL; String_t* V_2 = NULL; { StackTrace_t3914800897 * L_0 = (StackTrace_t3914800897 *)il2cpp_codegen_object_new(StackTrace_t3914800897_il2cpp_TypeInfo_var); StackTrace__ctor_m3741557266(L_0, 1, (bool)1, /*hidden argument*/NULL); V_0 = L_0; StackTrace_t3914800897 * L_1 = V_0; IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); String_t* L_2 = StackTraceUtility_ExtractFormattedStackTrace_m1401531514(NULL /*static, unused*/, 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" bool StackTraceUtility_IsSystemStacktraceType_m2631224500 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___name0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_IsSystemStacktraceType_m2631224500_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; bool V_1 = false; int32_t G_B7_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_m2941064351(L_1, _stringLiteral2882163420, /*hidden argument*/NULL); if (L_2) { goto IL_0065; } } { String_t* L_3 = V_0; NullCheck(L_3); bool L_4 = String_StartsWith_m2941064351(L_3, _stringLiteral3461029862, /*hidden argument*/NULL); if (L_4) { goto IL_0065; } } { String_t* L_5 = V_0; NullCheck(L_5); bool L_6 = String_StartsWith_m2941064351(L_5, _stringLiteral1368048827, /*hidden argument*/NULL); if (L_6) { goto IL_0065; } } { String_t* L_7 = V_0; NullCheck(L_7); bool L_8 = String_StartsWith_m2941064351(L_7, _stringLiteral3114442462, /*hidden argument*/NULL); if (L_8) { goto IL_0065; } } { String_t* L_9 = V_0; NullCheck(L_9); bool L_10 = String_StartsWith_m2941064351(L_9, _stringLiteral366467432, /*hidden argument*/NULL); if (L_10) { goto IL_0065; } } { String_t* L_11 = V_0; NullCheck(L_11); bool L_12 = String_StartsWith_m2941064351(L_11, _stringLiteral1342845095, /*hidden argument*/NULL); G_B7_0 = ((int32_t)(L_12)); goto IL_0066; } IL_0065: { G_B7_0 = 1; } IL_0066: { V_1 = (bool)G_B7_0; goto IL_006c; } IL_006c: { bool L_13 = V_1; return L_13; } } // System.Void UnityEngine.StackTraceUtility::ExtractStringFromExceptionInternal(System.Object,System.String&,System.String&) extern "C" void StackTraceUtility_ExtractStringFromExceptionInternal_m662838667 (RuntimeObject * __this /* static, unused */, RuntimeObject * ___exceptiono0, String_t** ___message1, String_t** ___stackTrace2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_ExtractStringFromExceptionInternal_m662838667_MetadataUsageId); s_Il2CppMethodInitialized = true; } Exception_t4051195559 * V_0 = NULL; StringBuilder_t1873629251 * V_1 = NULL; String_t* V_2 = NULL; String_t* V_3 = NULL; String_t* V_4 = NULL; StackTrace_t3914800897 * V_5 = NULL; int32_t G_B7_0 = 0; { RuntimeObject * L_0 = ___exceptiono0; if (L_0) { goto IL_0012; } } { ArgumentException_t2901442306 * L_1 = (ArgumentException_t2901442306 *)il2cpp_codegen_object_new(ArgumentException_t2901442306_il2cpp_TypeInfo_var); ArgumentException__ctor_m3381758436(L_1, _stringLiteral430278102, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0012: { RuntimeObject * L_2 = ___exceptiono0; V_0 = ((Exception_t4051195559 *)IsInstClass((RuntimeObject*)L_2, Exception_t4051195559_il2cpp_TypeInfo_var)); Exception_t4051195559 * L_3 = V_0; if (L_3) { goto IL_002a; } } { ArgumentException_t2901442306 * L_4 = (ArgumentException_t2901442306 *)il2cpp_codegen_object_new(ArgumentException_t2901442306_il2cpp_TypeInfo_var); ArgumentException__ctor_m3381758436(L_4, _stringLiteral2956557643, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_002a: { Exception_t4051195559 * L_5 = V_0; NullCheck(L_5); String_t* L_6 = VirtFuncInvoker0< String_t* >::Invoke(8 /* 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_t4051195559 * L_7 = V_0; NullCheck(L_7); String_t* L_8 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Exception::get_StackTrace() */, L_7); NullCheck(L_8); int32_t L_9 = String_get_Length_m3735197159(L_8, /*hidden argument*/NULL); G_B7_0 = ((int32_t)((int32_t)L_9*(int32_t)2)); } IL_004c: { StringBuilder_t1873629251 * L_10 = (StringBuilder_t1873629251 *)il2cpp_codegen_object_new(StringBuilder_t1873629251_il2cpp_TypeInfo_var); StringBuilder__ctor_m982500891(L_10, G_B7_0, /*hidden argument*/NULL); V_1 = L_10; String_t** L_11 = ___message1; *((RuntimeObject **)(L_11)) = (RuntimeObject *)_stringLiteral2971679517; Il2CppCodeGenWriteBarrier((RuntimeObject **)(L_11), (RuntimeObject *)_stringLiteral2971679517); V_2 = _stringLiteral2971679517; goto IL_0106; } IL_0064: { String_t* L_12 = V_2; NullCheck(L_12); int32_t L_13 = String_get_Length_m3735197159(L_12, /*hidden argument*/NULL); if (L_13) { goto IL_007c; } } { Exception_t4051195559 * L_14 = V_0; NullCheck(L_14); String_t* L_15 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Exception::get_StackTrace() */, L_14); V_2 = L_15; goto IL_008e; } IL_007c: { Exception_t4051195559 * L_16 = V_0; NullCheck(L_16); String_t* L_17 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Exception::get_StackTrace() */, L_16); String_t* L_18 = V_2; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_19 = String_Concat_m267866829(NULL /*static, unused*/, L_17, _stringLiteral248166046, L_18, /*hidden argument*/NULL); V_2 = L_19; } IL_008e: { Exception_t4051195559 * L_20 = V_0; NullCheck(L_20); Type_t * L_21 = Exception_GetType_m3615832753(L_20, /*hidden argument*/NULL); NullCheck(L_21); String_t* L_22 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_21); V_3 = L_22; V_4 = _stringLiteral2971679517; Exception_t4051195559 * L_23 = V_0; NullCheck(L_23); String_t* L_24 = VirtFuncInvoker0< String_t* >::Invoke(6 /* System.String System.Exception::get_Message() */, L_23); if (!L_24) { goto IL_00b4; } } { Exception_t4051195559 * L_25 = V_0; NullCheck(L_25); String_t* L_26 = VirtFuncInvoker0< String_t* >::Invoke(6 /* 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_m2068127592(L_27, /*hidden argument*/NULL); NullCheck(L_28); int32_t L_29 = String_get_Length_m3735197159(L_28, /*hidden argument*/NULL); if (!L_29) { goto IL_00dc; } } { String_t* L_30 = V_3; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_31 = String_Concat_m1887661844(NULL /*static, unused*/, L_30, _stringLiteral3711752762, /*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_m1887661844(NULL /*static, unused*/, 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_t4051195559 * L_37 = V_0; NullCheck(L_37); Exception_t4051195559 * L_38 = Exception_get_InnerException_m2414875065(L_37, /*hidden argument*/NULL); if (!L_38) { goto IL_00fe; } } { String_t* L_39 = V_3; String_t* L_40 = V_2; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_41 = String_Concat_m3984342484(NULL /*static, unused*/, _stringLiteral1685798741, L_39, _stringLiteral248166046, L_40, /*hidden argument*/NULL); V_2 = L_41; } IL_00fe: { Exception_t4051195559 * L_42 = V_0; NullCheck(L_42); Exception_t4051195559 * L_43 = Exception_get_InnerException_m2414875065(L_42, /*hidden argument*/NULL); V_0 = L_43; } IL_0106: { Exception_t4051195559 * L_44 = V_0; if (L_44) { goto IL_0064; } } { StringBuilder_t1873629251 * L_45 = V_1; String_t* L_46 = V_2; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_47 = String_Concat_m1887661844(NULL /*static, unused*/, L_46, _stringLiteral248166046, /*hidden argument*/NULL); NullCheck(L_45); StringBuilder_Append_m4250686484(L_45, L_47, /*hidden argument*/NULL); StackTrace_t3914800897 * L_48 = (StackTrace_t3914800897 *)il2cpp_codegen_object_new(StackTrace_t3914800897_il2cpp_TypeInfo_var); StackTrace__ctor_m3741557266(L_48, 1, (bool)1, /*hidden argument*/NULL); V_5 = L_48; StringBuilder_t1873629251 * L_49 = V_1; StackTrace_t3914800897 * L_50 = V_5; IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); String_t* L_51 = StackTraceUtility_ExtractFormattedStackTrace_m1401531514(NULL /*static, unused*/, L_50, /*hidden argument*/NULL); NullCheck(L_49); StringBuilder_Append_m4250686484(L_49, L_51, /*hidden argument*/NULL); String_t** L_52 = ___stackTrace2; StringBuilder_t1873629251 * 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" String_t* StackTraceUtility_PostprocessStacktrace_m3409170859 (RuntimeObject * __this /* static, unused */, String_t* ___oldString0, bool ___stripEngineInternalInformation1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_PostprocessStacktrace_m3409170859_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; StringU5BU5D_t2238447960* V_1 = NULL; StringBuilder_t1873629251 * 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; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_2(); V_0 = L_1; goto IL_02a4; } IL_0012: { String_t* L_2 = ___oldString0; CharU5BU5D_t1671368807* L_3 = ((CharU5BU5D_t1671368807*)SZArrayNew(CharU5BU5D_t1671368807_il2cpp_TypeInfo_var, (uint32_t)1)); NullCheck(L_3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppChar)((int32_t)10)); NullCheck(L_2); StringU5BU5D_t2238447960* L_4 = String_Split_m989645111(L_2, L_3, /*hidden argument*/NULL); V_1 = L_4; String_t* L_5 = ___oldString0; NullCheck(L_5); int32_t L_6 = String_get_Length_m3735197159(L_5, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_7 = (StringBuilder_t1873629251 *)il2cpp_codegen_object_new(StringBuilder_t1873629251_il2cpp_TypeInfo_var); StringBuilder__ctor_m982500891(L_7, L_6, /*hidden argument*/NULL); V_2 = L_7; V_3 = 0; goto IL_0046; } IL_0037: { StringU5BU5D_t2238447960* L_8 = V_1; int32_t L_9 = V_3; StringU5BU5D_t2238447960* L_10 = V_1; int32_t L_11 = V_3; NullCheck(L_10); int32_t L_12 = L_11; String_t* L_13 = (L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12)); NullCheck(L_13); String_t* L_14 = String_Trim_m2068127592(L_13, /*hidden argument*/NULL); NullCheck(L_8); ArrayElementTypeCheck (L_8, L_14); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_9), (String_t*)L_14); int32_t L_15 = V_3; V_3 = ((int32_t)((int32_t)L_15+(int32_t)1)); } IL_0046: { int32_t L_16 = V_3; StringU5BU5D_t2238447960* L_17 = V_1; NullCheck(L_17); if ((((int32_t)L_16) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_17)->max_length))))))) { goto IL_0037; } } { V_4 = 0; goto IL_028e; } IL_0057: { StringU5BU5D_t2238447960* L_18 = V_1; int32_t L_19 = V_4; NullCheck(L_18); int32_t L_20 = L_19; String_t* L_21 = (L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_20)); V_5 = L_21; String_t* L_22 = V_5; NullCheck(L_22); int32_t L_23 = String_get_Length_m3735197159(L_22, /*hidden argument*/NULL); if (!L_23) { goto IL_0079; } } { String_t* L_24 = V_5; NullCheck(L_24); Il2CppChar L_25 = String_get_Chars_m3907276240(L_24, 0, /*hidden argument*/NULL); if ((!(((uint32_t)L_25) == ((uint32_t)((int32_t)10))))) { goto IL_007e; } } IL_0079: { goto IL_0288; } IL_007e: { String_t* L_26 = V_5; NullCheck(L_26); bool L_27 = String_StartsWith_m2941064351(L_26, _stringLiteral971450288, /*hidden argument*/NULL); if (!L_27) { goto IL_0094; } } { goto IL_0288; } IL_0094: { bool L_28 = ___stripEngineInternalInformation1; if (!L_28) { goto IL_00b0; } } { String_t* L_29 = V_5; NullCheck(L_29); bool L_30 = String_StartsWith_m2941064351(L_29, _stringLiteral3492183812, /*hidden argument*/NULL); if (!L_30) { goto IL_00b0; } } { goto IL_0298; } IL_00b0: { bool L_31 = ___stripEngineInternalInformation1; if (!L_31) { goto IL_0107; } } { int32_t L_32 = V_4; StringU5BU5D_t2238447960* L_33 = V_1; NullCheck(L_33); if ((((int32_t)L_32) >= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_33)->max_length))))-(int32_t)1))))) { goto IL_0107; } } { String_t* L_34 = V_5; IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); bool L_35 = StackTraceUtility_IsSystemStacktraceType_m2631224500(NULL /*static, unused*/, L_34, /*hidden argument*/NULL); if (!L_35) { goto IL_0107; } } { StringU5BU5D_t2238447960* L_36 = V_1; int32_t L_37 = V_4; NullCheck(L_36); int32_t L_38 = ((int32_t)((int32_t)L_37+(int32_t)1)); String_t* L_39 = (L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_38)); IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); bool L_40 = StackTraceUtility_IsSystemStacktraceType_m2631224500(NULL /*static, unused*/, L_39, /*hidden argument*/NULL); if (!L_40) { goto IL_00e4; } } { goto IL_0288; } IL_00e4: { String_t* L_41 = V_5; NullCheck(L_41); int32_t L_42 = String_IndexOf_m2687291480(L_41, _stringLiteral2872227605, /*hidden argument*/NULL); V_6 = L_42; int32_t L_43 = V_6; if ((((int32_t)L_43) == ((int32_t)(-1)))) { goto IL_0106; } } { String_t* L_44 = V_5; int32_t L_45 = V_6; NullCheck(L_44); String_t* L_46 = String_Substring_m2672888418(L_44, 0, L_45, /*hidden argument*/NULL); V_5 = L_46; } IL_0106: { } IL_0107: { String_t* L_47 = V_5; NullCheck(L_47); int32_t L_48 = String_IndexOf_m2687291480(L_47, _stringLiteral3092419737, /*hidden argument*/NULL); if ((((int32_t)L_48) == ((int32_t)(-1)))) { goto IL_011e; } } { goto IL_0288; } IL_011e: { String_t* L_49 = V_5; NullCheck(L_49); int32_t L_50 = String_IndexOf_m2687291480(L_49, _stringLiteral3117839678, /*hidden argument*/NULL); if ((((int32_t)L_50) == ((int32_t)(-1)))) { goto IL_0135; } } { goto IL_0288; } IL_0135: { String_t* L_51 = V_5; NullCheck(L_51); int32_t L_52 = String_IndexOf_m2687291480(L_51, _stringLiteral3460431775, /*hidden argument*/NULL); if ((((int32_t)L_52) == ((int32_t)(-1)))) { goto IL_014c; } } { goto IL_0288; } IL_014c: { bool L_53 = ___stripEngineInternalInformation1; if (!L_53) { goto IL_0179; } } { String_t* L_54 = V_5; NullCheck(L_54); bool L_55 = String_StartsWith_m2941064351(L_54, _stringLiteral1399753458, /*hidden argument*/NULL); if (!L_55) { goto IL_0179; } } { String_t* L_56 = V_5; NullCheck(L_56); bool L_57 = String_EndsWith_m1677855142(L_56, _stringLiteral1178549135, /*hidden argument*/NULL); if (!L_57) { goto IL_0179; } } { goto IL_0288; } IL_0179: { String_t* L_58 = V_5; NullCheck(L_58); bool L_59 = String_StartsWith_m2941064351(L_58, _stringLiteral3574466675, /*hidden argument*/NULL); if (!L_59) { goto IL_0197; } } { String_t* L_60 = V_5; NullCheck(L_60); String_t* L_61 = String_Remove_m514310941(L_60, 0, 3, /*hidden argument*/NULL); V_5 = L_61; } IL_0197: { String_t* L_62 = V_5; NullCheck(L_62); int32_t L_63 = String_IndexOf_m2687291480(L_62, _stringLiteral2020299746, /*hidden argument*/NULL); V_7 = L_63; V_8 = (-1); int32_t L_64 = V_7; if ((((int32_t)L_64) == ((int32_t)(-1)))) { goto IL_01c0; } } { String_t* L_65 = V_5; int32_t L_66 = V_7; NullCheck(L_65); int32_t L_67 = String_IndexOf_m3376848454(L_65, _stringLiteral1178549135, L_66, /*hidden argument*/NULL); V_8 = L_67; } IL_01c0: { int32_t L_68 = V_7; if ((((int32_t)L_68) == ((int32_t)(-1)))) { goto IL_01e5; } } { int32_t L_69 = V_8; int32_t L_70 = V_7; if ((((int32_t)L_69) <= ((int32_t)L_70))) { goto IL_01e5; } } { String_t* L_71 = V_5; int32_t L_72 = V_7; int32_t L_73 = V_8; int32_t L_74 = V_7; NullCheck(L_71); String_t* L_75 = String_Remove_m514310941(L_71, L_72, ((int32_t)((int32_t)((int32_t)((int32_t)L_73-(int32_t)L_74))+(int32_t)1)), /*hidden argument*/NULL); V_5 = L_75; } IL_01e5: { String_t* L_76 = V_5; NullCheck(L_76); String_t* L_77 = String_Replace_m1698983455(L_76, _stringLiteral2720867913, _stringLiteral2971679517, /*hidden argument*/NULL); V_5 = L_77; String_t* L_78 = V_5; NullCheck(L_78); String_t* L_79 = String_Replace_m1698983455(L_78, _stringLiteral3155759022, _stringLiteral2520512109, /*hidden argument*/NULL); V_5 = L_79; String_t* L_80 = V_5; IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); String_t* L_81 = ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->get_projectFolder_0(); NullCheck(L_80); String_t* L_82 = String_Replace_m1698983455(L_80, L_81, _stringLiteral2971679517, /*hidden argument*/NULL); V_5 = L_82; String_t* L_83 = V_5; NullCheck(L_83); String_t* L_84 = String_Replace_m2078134291(L_83, ((int32_t)92), ((int32_t)47), /*hidden argument*/NULL); V_5 = L_84; String_t* L_85 = V_5; NullCheck(L_85); int32_t L_86 = String_LastIndexOf_m1579447971(L_85, _stringLiteral2795292417, /*hidden argument*/NULL); V_9 = L_86; int32_t L_87 = V_9; if ((((int32_t)L_87) == ((int32_t)(-1)))) { goto IL_0274; } } { String_t* L_88 = V_5; int32_t L_89 = V_9; NullCheck(L_88); String_t* L_90 = String_Remove_m514310941(L_88, L_89, 5, /*hidden argument*/NULL); V_5 = L_90; String_t* L_91 = V_5; int32_t L_92 = V_9; NullCheck(L_91); String_t* L_93 = String_Insert_m2014102296(L_91, L_92, _stringLiteral316542235, /*hidden argument*/NULL); V_5 = L_93; String_t* L_94 = V_5; String_t* L_95 = V_5; NullCheck(L_95); int32_t L_96 = String_get_Length_m3735197159(L_95, /*hidden argument*/NULL); NullCheck(L_94); String_t* L_97 = String_Insert_m2014102296(L_94, L_96, _stringLiteral3690340301, /*hidden argument*/NULL); V_5 = L_97; } IL_0274: { StringBuilder_t1873629251 * L_98 = V_2; String_t* L_99 = V_5; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_100 = String_Concat_m1887661844(NULL /*static, unused*/, L_99, _stringLiteral248166046, /*hidden argument*/NULL); NullCheck(L_98); StringBuilder_Append_m4250686484(L_98, L_100, /*hidden argument*/NULL); } IL_0288: { int32_t L_101 = V_4; V_4 = ((int32_t)((int32_t)L_101+(int32_t)1)); } IL_028e: { int32_t L_102 = V_4; StringU5BU5D_t2238447960* L_103 = V_1; NullCheck(L_103); if ((((int32_t)L_102) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_103)->max_length))))))) { goto IL_0057; } } IL_0298: { StringBuilder_t1873629251 * L_104 = V_2; NullCheck(L_104); String_t* L_105 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_104); V_0 = L_105; goto IL_02a4; } IL_02a4: { String_t* L_106 = V_0; return L_106; } } // System.String UnityEngine.StackTraceUtility::ExtractFormattedStackTrace(System.Diagnostics.StackTrace) extern "C" String_t* StackTraceUtility_ExtractFormattedStackTrace_m1401531514 (RuntimeObject * __this /* static, unused */, StackTrace_t3914800897 * ___stackTrace0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility_ExtractFormattedStackTrace_m1401531514_MetadataUsageId); s_Il2CppMethodInitialized = true; } StringBuilder_t1873629251 * V_0 = NULL; int32_t V_1 = 0; StackFrame_t3923244755 * V_2 = NULL; MethodBase_t2368758312 * V_3 = NULL; Type_t * V_4 = NULL; String_t* V_5 = NULL; int32_t V_6 = 0; ParameterInfoU5BU5D_t1179451035* 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_t1873629251 * L_0 = (StringBuilder_t1873629251 *)il2cpp_codegen_object_new(StringBuilder_t1873629251_il2cpp_TypeInfo_var); StringBuilder__ctor_m982500891(L_0, ((int32_t)255), /*hidden argument*/NULL); V_0 = L_0; V_1 = 0; goto IL_02ba; } IL_0013: { StackTrace_t3914800897 * L_1 = ___stackTrace0; int32_t L_2 = V_1; NullCheck(L_1); StackFrame_t3923244755 * L_3 = VirtFuncInvoker1< StackFrame_t3923244755 *, int32_t >::Invoke(5 /* System.Diagnostics.StackFrame System.Diagnostics.StackTrace::GetFrame(System.Int32) */, L_1, L_2); V_2 = L_3; StackFrame_t3923244755 * L_4 = V_2; NullCheck(L_4); MethodBase_t2368758312 * L_5 = VirtFuncInvoker0< MethodBase_t2368758312 * >::Invoke(7 /* System.Reflection.MethodBase System.Diagnostics.StackFrame::GetMethod() */, L_4); V_3 = L_5; MethodBase_t2368758312 * L_6 = V_3; if (L_6) { goto IL_002e; } } { goto IL_02b6; } IL_002e: { MethodBase_t2368758312 * L_7 = V_3; NullCheck(L_7); Type_t * L_8 = VirtFuncInvoker0< Type_t * >::Invoke(6 /* 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_02b6; } IL_0042: { Type_t * L_10 = V_4; NullCheck(L_10); String_t* L_11 = VirtFuncInvoker0< String_t* >::Invoke(34 /* 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_m3735197159(L_13, /*hidden argument*/NULL); if (!L_14) { goto IL_0075; } } { StringBuilder_t1873629251 * L_15 = V_0; String_t* L_16 = V_5; NullCheck(L_15); StringBuilder_Append_m4250686484(L_15, L_16, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_17 = V_0; NullCheck(L_17); StringBuilder_Append_m4250686484(L_17, _stringLiteral2309138634, /*hidden argument*/NULL); } IL_0075: { StringBuilder_t1873629251 * L_18 = V_0; Type_t * L_19 = V_4; NullCheck(L_19); String_t* L_20 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_19); NullCheck(L_18); StringBuilder_Append_m4250686484(L_18, L_20, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_21 = V_0; NullCheck(L_21); StringBuilder_Append_m4250686484(L_21, _stringLiteral1377346068, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_22 = V_0; MethodBase_t2368758312 * L_23 = V_3; NullCheck(L_23); String_t* L_24 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_23); NullCheck(L_22); StringBuilder_Append_m4250686484(L_22, L_24, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_25 = V_0; NullCheck(L_25); StringBuilder_Append_m4250686484(L_25, _stringLiteral3063526633, /*hidden argument*/NULL); V_6 = 0; MethodBase_t2368758312 * L_26 = V_3; NullCheck(L_26); ParameterInfoU5BU5D_t1179451035* L_27 = VirtFuncInvoker0< ParameterInfoU5BU5D_t1179451035* >::Invoke(14 /* 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_t1873629251 * L_29 = V_0; NullCheck(L_29); StringBuilder_Append_m4250686484(L_29, _stringLiteral30244748, /*hidden argument*/NULL); goto IL_00d7; } IL_00d4: { V_8 = (bool)0; } IL_00d7: { StringBuilder_t1873629251 * L_30 = V_0; ParameterInfoU5BU5D_t1179451035* L_31 = V_7; int32_t L_32 = V_6; NullCheck(L_31); int32_t L_33 = L_32; ParameterInfo_t2527786478 * L_34 = (L_31)->GetAt(static_cast<il2cpp_array_size_t>(L_33)); NullCheck(L_34); Type_t * L_35 = VirtFuncInvoker0< Type_t * >::Invoke(6 /* System.Type System.Reflection.ParameterInfo::get_ParameterType() */, L_34); NullCheck(L_35); String_t* L_36 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_35); NullCheck(L_30); StringBuilder_Append_m4250686484(L_30, L_36, /*hidden argument*/NULL); int32_t L_37 = V_6; V_6 = ((int32_t)((int32_t)L_37+(int32_t)1)); } IL_00f4: { int32_t L_38 = V_6; ParameterInfoU5BU5D_t1179451035* 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_t1873629251 * L_40 = V_0; NullCheck(L_40); StringBuilder_Append_m4250686484(L_40, _stringLiteral3690340301, /*hidden argument*/NULL); StackFrame_t3923244755 * 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_02a9; } } { Type_t * L_44 = V_4; NullCheck(L_44); String_t* L_45 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_44); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_46 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_45, _stringLiteral3423009148, /*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(34 /* System.String System.Type::get_Namespace() */, L_47); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_49 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_48, _stringLiteral2433814651, /*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(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_50); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_52 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_51, _stringLiteral2130172608, /*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(34 /* System.String System.Type::get_Namespace() */, L_53); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_55 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_54, _stringLiteral2433814651, /*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(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_56); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_58 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_57, _stringLiteral1435223225, /*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(34 /* System.String System.Type::get_Namespace() */, L_59); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_61 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_60, _stringLiteral2433814651, /*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(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_62); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_64 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_63, _stringLiteral2575833514, /*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(34 /* System.String System.Type::get_Namespace() */, L_65); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_67 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_66, _stringLiteral1801473435, /*hidden argument*/NULL); if (L_67) { goto IL_020c; } } IL_01cb: { MethodBase_t2368758312 * L_68 = V_3; NullCheck(L_68); String_t* L_69 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_68); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_70 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_69, _stringLiteral417149562, /*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(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_71); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_73 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_72, _stringLiteral2244799922, /*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(34 /* System.String System.Type::get_Namespace() */, L_74); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_76 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_75, _stringLiteral2433814651, /*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_02a8; } } { StringBuilder_t1873629251 * L_78 = V_0; NullCheck(L_78); StringBuilder_Append_m4250686484(L_78, _stringLiteral316542235, /*hidden argument*/NULL); String_t* L_79 = V_9; NullCheck(L_79); String_t* L_80 = String_Replace_m1698983455(L_79, _stringLiteral3155759022, _stringLiteral2520512109, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); String_t* L_81 = ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->get_projectFolder_0(); NullCheck(L_80); bool L_82 = String_StartsWith_m2941064351(L_80, L_81, /*hidden argument*/NULL); if (!L_82) { goto IL_026a; } } { String_t* L_83 = V_9; IL2CPP_RUNTIME_CLASS_INIT(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var); String_t* L_84 = ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->get_projectFolder_0(); NullCheck(L_84); int32_t L_85 = String_get_Length_m3735197159(L_84, /*hidden argument*/NULL); String_t* L_86 = V_9; NullCheck(L_86); int32_t L_87 = String_get_Length_m3735197159(L_86, /*hidden argument*/NULL); String_t* L_88 = ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->get_projectFolder_0(); NullCheck(L_88); int32_t L_89 = String_get_Length_m3735197159(L_88, /*hidden argument*/NULL); NullCheck(L_83); String_t* L_90 = String_Substring_m2672888418(L_83, L_85, ((int32_t)((int32_t)L_87-(int32_t)L_89)), /*hidden argument*/NULL); V_9 = L_90; } IL_026a: { StringBuilder_t1873629251 * L_91 = V_0; String_t* L_92 = V_9; NullCheck(L_91); StringBuilder_Append_m4250686484(L_91, L_92, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_93 = V_0; NullCheck(L_93); StringBuilder_Append_m4250686484(L_93, _stringLiteral1377346068, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_94 = V_0; StackFrame_t3923244755 * L_95 = V_2; NullCheck(L_95); int32_t L_96 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Diagnostics.StackFrame::GetFileLineNumber() */, L_95); V_11 = L_96; String_t* L_97 = Int32_ToString_m3259397468((&V_11), /*hidden argument*/NULL); NullCheck(L_94); StringBuilder_Append_m4250686484(L_94, L_97, /*hidden argument*/NULL); StringBuilder_t1873629251 * L_98 = V_0; NullCheck(L_98); StringBuilder_Append_m4250686484(L_98, _stringLiteral3690340301, /*hidden argument*/NULL); } IL_02a8: { } IL_02a9: { StringBuilder_t1873629251 * L_99 = V_0; NullCheck(L_99); StringBuilder_Append_m4250686484(L_99, _stringLiteral248166046, /*hidden argument*/NULL); } IL_02b6: { int32_t L_100 = V_1; V_1 = ((int32_t)((int32_t)L_100+(int32_t)1)); } IL_02ba: { int32_t L_101 = V_1; StackTrace_t3914800897 * L_102 = ___stackTrace0; NullCheck(L_102); int32_t L_103 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Diagnostics.StackTrace::get_FrameCount() */, L_102); if ((((int32_t)L_101) < ((int32_t)L_103))) { goto IL_0013; } } { StringBuilder_t1873629251 * L_104 = V_0; NullCheck(L_104); String_t* L_105 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_104); V_12 = L_105; goto IL_02d3; } IL_02d3: { String_t* L_106 = V_12; return L_106; } } // System.Void UnityEngine.StackTraceUtility::.cctor() extern "C" void StackTraceUtility__cctor_m1882590219 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (StackTraceUtility__cctor_m1882590219_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ((StackTraceUtility_t1106565147_StaticFields*)il2cpp_codegen_static_fields_for(StackTraceUtility_t1106565147_il2cpp_TypeInfo_var))->set_projectFolder_0(_stringLiteral2971679517); return; } } // System.Void UnityEngine.StateMachineBehaviour::.ctor() extern "C" void StateMachineBehaviour__ctor_m3775672675 (StateMachineBehaviour_t2729640527 * __this, const RuntimeMethod* method) { { ScriptableObject__ctor_m3631352648(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateEnter(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32) extern "C" void StateMachineBehaviour_OnStateEnter_m1528550669 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateUpdate(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32) extern "C" void StateMachineBehaviour_OnStateUpdate_m1482683641 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateExit(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32) extern "C" void StateMachineBehaviour_OnStateExit_m3519893898 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMove(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32) extern "C" void StateMachineBehaviour_OnStateMove_m409900565 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateIK(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32) extern "C" void StateMachineBehaviour_OnStateIK_m3648242650 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMachineEnter(UnityEngine.Animator,System.Int32) extern "C" void StateMachineBehaviour_OnStateMachineEnter_m930177731 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, int32_t ___stateMachinePathHash1, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMachineExit(UnityEngine.Animator,System.Int32) extern "C" void StateMachineBehaviour_OnStateMachineExit_m523719976 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, int32_t ___stateMachinePathHash1, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateEnter(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateEnter_m4065768939 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, AnimatorControllerPlayable_t3805541804 ___controller3, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateUpdate(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateUpdate_m2694710034 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, AnimatorControllerPlayable_t3805541804 ___controller3, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateExit(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateExit_m1897688525 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, AnimatorControllerPlayable_t3805541804 ___controller3, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMove(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateMove_m2935749656 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, AnimatorControllerPlayable_t3805541804 ___controller3, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateIK(UnityEngine.Animator,UnityEngine.AnimatorStateInfo,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateIK_m3699159981 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, AnimatorStateInfo_t1664108925 ___stateInfo1, int32_t ___layerIndex2, AnimatorControllerPlayable_t3805541804 ___controller3, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMachineEnter(UnityEngine.Animator,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateMachineEnter_m4055776876 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, int32_t ___stateMachinePathHash1, AnimatorControllerPlayable_t3805541804 ___controller2, const RuntimeMethod* method) { { return; } } // System.Void UnityEngine.StateMachineBehaviour::OnStateMachineExit(UnityEngine.Animator,System.Int32,UnityEngine.Animations.AnimatorControllerPlayable) extern "C" void StateMachineBehaviour_OnStateMachineExit_m3275354735 (StateMachineBehaviour_t2729640527 * __this, Animator_t2755805336 * ___animator0, int32_t ___stateMachinePathHash1, AnimatorControllerPlayable_t3805541804 ___controller2, const RuntimeMethod* method) { { return; } } // UnityEngine.OperatingSystemFamily UnityEngine.SystemInfo::get_operatingSystemFamily() extern "C" int32_t SystemInfo_get_operatingSystemFamily_m2300087578 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef int32_t (*SystemInfo_get_operatingSystemFamily_m2300087578_ftn) (); static SystemInfo_get_operatingSystemFamily_m2300087578_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SystemInfo_get_operatingSystemFamily_m2300087578_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.SystemInfo::get_operatingSystemFamily()"); int32_t retVal = _il2cpp_icall_func(); return retVal; } // System.Void UnityEngine.TextAreaAttribute::.ctor(System.Int32,System.Int32) extern "C" void TextAreaAttribute__ctor_m1504547746 (TextAreaAttribute_t3509639333 * __this, int32_t ___minLines0, int32_t ___maxLines1, const RuntimeMethod* method) { { PropertyAttribute__ctor_m3153095945(__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; } } // System.Void UnityEngine.TextEditor::.ctor() extern "C" void TextEditor__ctor_m2719320640 (TextEditor_t73873660 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextEditor__ctor_m2719320640_MetadataUsageId); s_Il2CppMethodInitialized = true; } { __this->set_keyboardOnScreen_0((TouchScreenKeyboard_t2626315871 *)NULL); __this->set_controlID_1(0); IL2CPP_RUNTIME_CLASS_INIT(GUIStyle_t350904686_il2cpp_TypeInfo_var); GUIStyle_t350904686 * L_0 = GUIStyle_get_none_m2146728478(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_style_2(L_0); __this->set_multiline_3((bool)0); __this->set_hasHorizontalCursorPos_4((bool)0); __this->set_isPasswordField_5((bool)0); IL2CPP_RUNTIME_CLASS_INIT(Vector2_t1870731928_il2cpp_TypeInfo_var); Vector2_t1870731928 L_1 = Vector2_get_zero_m3917677115(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_scrollOffset_6(L_1); GUIContent_t2918791183 * L_2 = (GUIContent_t2918791183 *)il2cpp_codegen_object_new(GUIContent_t2918791183_il2cpp_TypeInfo_var); GUIContent__ctor_m326241931(L_2, /*hidden argument*/NULL); __this->set_m_Content_7(L_2); __this->set_m_CursorIndex_8(0); __this->set_m_SelectIndex_9(0); __this->set_m_RevealCursor_10((bool)0); __this->set_m_MouseDragSelectsWholeWords_11((bool)0); __this->set_m_DblClickInitPos_12(0); __this->set_m_DblClickSnap_13(0); __this->set_m_bJustSelected_14((bool)0); __this->set_m_iAltCursorPos_15((-1)); Object__ctor_m3741171996(__this, /*hidden argument*/NULL); return; } } // Conversion methods for marshalling of: UnityEngine.TextGenerationSettings extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke(const TextGenerationSettings_t987435647& unmarshaled, TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___font_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'font' of type 'TextGenerationSettings': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___font_0Exception); } extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke_back(const TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled, TextGenerationSettings_t987435647& unmarshaled) { Il2CppCodeGenException* ___font_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'font' of type 'TextGenerationSettings': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___font_0Exception); } // Conversion method for clean up from marshalling of: UnityEngine.TextGenerationSettings extern "C" void TextGenerationSettings_t987435647_marshal_pinvoke_cleanup(TextGenerationSettings_t987435647_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.TextGenerationSettings extern "C" void TextGenerationSettings_t987435647_marshal_com(const TextGenerationSettings_t987435647& unmarshaled, TextGenerationSettings_t987435647_marshaled_com& marshaled) { Il2CppCodeGenException* ___font_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'font' of type 'TextGenerationSettings': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___font_0Exception); } extern "C" void TextGenerationSettings_t987435647_marshal_com_back(const TextGenerationSettings_t987435647_marshaled_com& marshaled, TextGenerationSettings_t987435647& unmarshaled) { Il2CppCodeGenException* ___font_0Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'font' of type 'TextGenerationSettings': Reference type field marshaling is not supported."); IL2CPP_RAISE_MANAGED_EXCEPTION(___font_0Exception); } // Conversion method for clean up from marshalling of: UnityEngine.TextGenerationSettings extern "C" void TextGenerationSettings_t987435647_marshal_com_cleanup(TextGenerationSettings_t987435647_marshaled_com& marshaled) { } // System.Boolean UnityEngine.TextGenerationSettings::CompareColors(UnityEngine.Color,UnityEngine.Color) extern "C" bool TextGenerationSettings_CompareColors_m149343600 (TextGenerationSettings_t987435647 * __this, Color_t3136506488 ___left0, Color_t3136506488 ___right1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerationSettings_CompareColors_m149343600_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t G_B5_0 = 0; { float L_0 = (&___left0)->get_r_0(); float L_1 = (&___right1)->get_r_0(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_2 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_005e; } } { float L_3 = (&___left0)->get_g_1(); float L_4 = (&___right1)->get_g_1(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_5 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_005e; } } { float L_6 = (&___left0)->get_b_2(); float L_7 = (&___right1)->get_b_2(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_8 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_6, L_7, /*hidden argument*/NULL); if (!L_8) { goto IL_005e; } } { float L_9 = (&___left0)->get_a_3(); float L_10 = (&___right1)->get_a_3(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_11 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_9, L_10, /*hidden argument*/NULL); G_B5_0 = ((int32_t)(L_11)); goto IL_005f; } IL_005e: { G_B5_0 = 0; } IL_005f: { V_0 = (bool)G_B5_0; goto IL_0065; } IL_0065: { bool L_12 = V_0; return L_12; } } extern "C" bool TextGenerationSettings_CompareColors_m149343600_AdjustorThunk (RuntimeObject * __this, Color_t3136506488 ___left0, Color_t3136506488 ___right1, const RuntimeMethod* method) { TextGenerationSettings_t987435647 * _thisAdjusted = reinterpret_cast<TextGenerationSettings_t987435647 *>(__this + 1); return TextGenerationSettings_CompareColors_m149343600(_thisAdjusted, ___left0, ___right1, method); } // System.Boolean UnityEngine.TextGenerationSettings::CompareVector2(UnityEngine.Vector2,UnityEngine.Vector2) extern "C" bool TextGenerationSettings_CompareVector2_m3113383972 (TextGenerationSettings_t987435647 * __this, Vector2_t1870731928 ___left0, Vector2_t1870731928 ___right1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerationSettings_CompareVector2_m3113383972_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t G_B3_0 = 0; { float L_0 = (&___left0)->get_x_0(); float L_1 = (&___right1)->get_x_0(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_2 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_002e; } } { float L_3 = (&___left0)->get_y_1(); float L_4 = (&___right1)->get_y_1(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_5 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, 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; } } extern "C" bool TextGenerationSettings_CompareVector2_m3113383972_AdjustorThunk (RuntimeObject * __this, Vector2_t1870731928 ___left0, Vector2_t1870731928 ___right1, const RuntimeMethod* method) { TextGenerationSettings_t987435647 * _thisAdjusted = reinterpret_cast<TextGenerationSettings_t987435647 *>(__this + 1); return TextGenerationSettings_CompareVector2_m3113383972(_thisAdjusted, ___left0, ___right1, method); } // System.Boolean UnityEngine.TextGenerationSettings::Equals(UnityEngine.TextGenerationSettings) extern "C" bool TextGenerationSettings_Equals_m4053434414 (TextGenerationSettings_t987435647 * __this, TextGenerationSettings_t987435647 ___other0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerationSettings_Equals_m4053434414_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; int32_t G_B21_0 = 0; { Color_t3136506488 L_0 = __this->get_color_1(); Color_t3136506488 L_1 = (&___other0)->get_color_1(); bool L_2 = TextGenerationSettings_CompareColors_m149343600(__this, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0187; } } { int32_t L_3 = __this->get_fontSize_2(); int32_t L_4 = (&___other0)->get_fontSize_2(); if ((!(((uint32_t)L_3) == ((uint32_t)L_4)))) { goto IL_0187; } } { float L_5 = __this->get_scaleFactor_5(); float L_6 = (&___other0)->get_scaleFactor_5(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_7 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_5, L_6, /*hidden argument*/NULL); if (!L_7) { goto IL_0187; } } { int32_t L_8 = __this->get_resizeTextMinSize_10(); int32_t L_9 = (&___other0)->get_resizeTextMinSize_10(); if ((!(((uint32_t)L_8) == ((uint32_t)L_9)))) { goto IL_0187; } } { int32_t L_10 = __this->get_resizeTextMaxSize_11(); int32_t L_11 = (&___other0)->get_resizeTextMaxSize_11(); if ((!(((uint32_t)L_10) == ((uint32_t)L_11)))) { goto IL_0187; } } { float L_12 = __this->get_lineSpacing_3(); float L_13 = (&___other0)->get_lineSpacing_3(); IL2CPP_RUNTIME_CLASS_INIT(Mathf_t568077252_il2cpp_TypeInfo_var); bool L_14 = Mathf_Approximately_m3919398333(NULL /*static, unused*/, L_12, L_13, /*hidden argument*/NULL); if (!L_14) { goto IL_0187; } } { int32_t L_15 = __this->get_fontStyle_6(); int32_t L_16 = (&___other0)->get_fontStyle_6(); if ((!(((uint32_t)L_15) == ((uint32_t)L_16)))) { goto IL_0187; } } { bool L_17 = __this->get_richText_4(); bool L_18 = (&___other0)->get_richText_4(); if ((!(((uint32_t)L_17) == ((uint32_t)L_18)))) { goto IL_0187; } } { int32_t L_19 = __this->get_textAnchor_7(); int32_t L_20 = (&___other0)->get_textAnchor_7(); if ((!(((uint32_t)L_19) == ((uint32_t)L_20)))) { goto IL_0187; } } { bool L_21 = __this->get_alignByGeometry_8(); bool L_22 = (&___other0)->get_alignByGeometry_8(); if ((!(((uint32_t)L_21) == ((uint32_t)L_22)))) { goto IL_0187; } } { bool L_23 = __this->get_resizeTextForBestFit_9(); bool L_24 = (&___other0)->get_resizeTextForBestFit_9(); if ((!(((uint32_t)L_23) == ((uint32_t)L_24)))) { goto IL_0187; } } { int32_t L_25 = __this->get_resizeTextMinSize_10(); int32_t L_26 = (&___other0)->get_resizeTextMinSize_10(); if ((!(((uint32_t)L_25) == ((uint32_t)L_26)))) { goto IL_0187; } } { int32_t L_27 = __this->get_resizeTextMaxSize_11(); int32_t L_28 = (&___other0)->get_resizeTextMaxSize_11(); if ((!(((uint32_t)L_27) == ((uint32_t)L_28)))) { goto IL_0187; } } { bool L_29 = __this->get_resizeTextForBestFit_9(); bool L_30 = (&___other0)->get_resizeTextForBestFit_9(); if ((!(((uint32_t)L_29) == ((uint32_t)L_30)))) { goto IL_0187; } } { bool L_31 = __this->get_updateBounds_12(); bool L_32 = (&___other0)->get_updateBounds_12(); if ((!(((uint32_t)L_31) == ((uint32_t)L_32)))) { goto IL_0187; } } { int32_t L_33 = __this->get_horizontalOverflow_14(); int32_t L_34 = (&___other0)->get_horizontalOverflow_14(); if ((!(((uint32_t)L_33) == ((uint32_t)L_34)))) { goto IL_0187; } } { int32_t L_35 = __this->get_verticalOverflow_13(); int32_t L_36 = (&___other0)->get_verticalOverflow_13(); if ((!(((uint32_t)L_35) == ((uint32_t)L_36)))) { goto IL_0187; } } { Vector2_t1870731928 L_37 = __this->get_generationExtents_15(); Vector2_t1870731928 L_38 = (&___other0)->get_generationExtents_15(); bool L_39 = TextGenerationSettings_CompareVector2_m3113383972(__this, L_37, L_38, /*hidden argument*/NULL); if (!L_39) { goto IL_0187; } } { Vector2_t1870731928 L_40 = __this->get_pivot_16(); Vector2_t1870731928 L_41 = (&___other0)->get_pivot_16(); bool L_42 = TextGenerationSettings_CompareVector2_m3113383972(__this, L_40, L_41, /*hidden argument*/NULL); if (!L_42) { goto IL_0187; } } { Font_t3940830037 * L_43 = __this->get_font_0(); Font_t3940830037 * L_44 = (&___other0)->get_font_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_45 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_43, L_44, /*hidden argument*/NULL); G_B21_0 = ((int32_t)(L_45)); goto IL_0188; } IL_0187: { G_B21_0 = 0; } IL_0188: { V_0 = (bool)G_B21_0; goto IL_018e; } IL_018e: { bool L_46 = V_0; return L_46; } } extern "C" bool TextGenerationSettings_Equals_m4053434414_AdjustorThunk (RuntimeObject * __this, TextGenerationSettings_t987435647 ___other0, const RuntimeMethod* method) { TextGenerationSettings_t987435647 * _thisAdjusted = reinterpret_cast<TextGenerationSettings_t987435647 *>(__this + 1); return TextGenerationSettings_Equals_m4053434414(_thisAdjusted, ___other0, method); } // Conversion methods for marshalling of: UnityEngine.TextGenerator extern "C" void TextGenerator_t2161547030_marshal_pinvoke(const TextGenerator_t2161547030& unmarshaled, TextGenerator_t2161547030_marshaled_pinvoke& marshaled) { Il2CppCodeGenException* ___m_LastSettings_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_LastSettings' of type 'TextGenerator'."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_LastSettings_2Exception); } extern "C" void TextGenerator_t2161547030_marshal_pinvoke_back(const TextGenerator_t2161547030_marshaled_pinvoke& marshaled, TextGenerator_t2161547030& unmarshaled) { Il2CppCodeGenException* ___m_LastSettings_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_LastSettings' of type 'TextGenerator'."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_LastSettings_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.TextGenerator extern "C" void TextGenerator_t2161547030_marshal_pinvoke_cleanup(TextGenerator_t2161547030_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.TextGenerator extern "C" void TextGenerator_t2161547030_marshal_com(const TextGenerator_t2161547030& unmarshaled, TextGenerator_t2161547030_marshaled_com& marshaled) { Il2CppCodeGenException* ___m_LastSettings_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_LastSettings' of type 'TextGenerator'."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_LastSettings_2Exception); } extern "C" void TextGenerator_t2161547030_marshal_com_back(const TextGenerator_t2161547030_marshaled_com& marshaled, TextGenerator_t2161547030& unmarshaled) { Il2CppCodeGenException* ___m_LastSettings_2Exception = il2cpp_codegen_get_marshal_directive_exception("Cannot marshal field 'm_LastSettings' of type 'TextGenerator'."); IL2CPP_RAISE_MANAGED_EXCEPTION(___m_LastSettings_2Exception); } // Conversion method for clean up from marshalling of: UnityEngine.TextGenerator extern "C" void TextGenerator_t2161547030_marshal_com_cleanup(TextGenerator_t2161547030_marshaled_com& marshaled) { } // System.Void UnityEngine.TextGenerator::.ctor() extern "C" void TextGenerator__ctor_m2392003824 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { { TextGenerator__ctor_m3372066549(__this, ((int32_t)50), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.TextGenerator::.ctor(System.Int32) extern "C" void TextGenerator__ctor_m3372066549 (TextGenerator_t2161547030 * __this, int32_t ___initialCapacity0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator__ctor_m3372066549_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); int32_t L_0 = ___initialCapacity0; List_1_t2822604285 * L_1 = (List_1_t2822604285 *)il2cpp_codegen_object_new(List_1_t2822604285_il2cpp_TypeInfo_var); List_1__ctor_m3052573227(L_1, ((int32_t)((int32_t)((int32_t)((int32_t)L_0+(int32_t)1))*(int32_t)4)), /*hidden argument*/List_1__ctor_m3052573227_RuntimeMethod_var); __this->set_m_Verts_5(L_1); int32_t L_2 = ___initialCapacity0; List_1_t1760015106 * L_3 = (List_1_t1760015106 *)il2cpp_codegen_object_new(List_1_t1760015106_il2cpp_TypeInfo_var); List_1__ctor_m252818309(L_3, ((int32_t)((int32_t)L_2+(int32_t)1)), /*hidden argument*/List_1__ctor_m252818309_RuntimeMethod_var); __this->set_m_Characters_6(L_3); List_1_t4059619465 * L_4 = (List_1_t4059619465 *)il2cpp_codegen_object_new(List_1_t4059619465_il2cpp_TypeInfo_var); List_1__ctor_m1538939669(L_4, ((int32_t)20), /*hidden argument*/List_1__ctor_m1538939669_RuntimeMethod_var); __this->set_m_Lines_7(L_4); TextGenerator_Init_m510741601(__this, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.TextGenerator::Finalize() extern "C" void TextGenerator_Finalize_m1049723382 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator_Finalize_m1049723382_MetadataUsageId); s_Il2CppMethodInitialized = true; } Exception_t4051195559 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t4051195559 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { } IL_0001: try { // begin try (depth: 1) InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t2439038856_il2cpp_TypeInfo_var, __this); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t4051195559 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m4018844832(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t4051195559 *) } IL_0013: { return; } } // System.Void UnityEngine.TextGenerator::System.IDisposable.Dispose() extern "C" void TextGenerator_System_IDisposable_Dispose_m2793336534 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { { TextGenerator_Dispose_cpp_m3284248192(__this, /*hidden argument*/NULL); return; } } // UnityEngine.TextGenerationSettings UnityEngine.TextGenerator::ValidatedSettings(UnityEngine.TextGenerationSettings) extern "C" TextGenerationSettings_t987435647 TextGenerator_ValidatedSettings_m2194582883 (TextGenerator_t2161547030 * __this, TextGenerationSettings_t987435647 ___settings0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator_ValidatedSettings_m2194582883_MetadataUsageId); s_Il2CppMethodInitialized = true; } TextGenerationSettings_t987435647 V_0; memset(&V_0, 0, sizeof(V_0)); { Font_t3940830037 * L_0 = (&___settings0)->get_font_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_002b; } } { Font_t3940830037 * L_2 = (&___settings0)->get_font_0(); NullCheck(L_2); bool L_3 = Font_get_dynamic_m1475300121(L_2, /*hidden argument*/NULL); if (!L_3) { goto IL_002b; } } { TextGenerationSettings_t987435647 L_4 = ___settings0; V_0 = L_4; goto IL_00e2; } IL_002b: { int32_t L_5 = (&___settings0)->get_fontSize_2(); if (L_5) { goto IL_0043; } } { int32_t L_6 = (&___settings0)->get_fontStyle_6(); if (!L_6) { goto IL_008d; } } IL_0043: { Font_t3940830037 * L_7 = (&___settings0)->get_font_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_8 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_7, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_8) { goto IL_007c; } } { Font_t3940830037 * L_9 = (&___settings0)->get_font_0(); ObjectU5BU5D_t846638089* L_10 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)1)); Font_t3940830037 * L_11 = (&___settings0)->get_font_0(); NullCheck(L_11); String_t* L_12 = Object_get_name_m910479749(L_11, /*hidden argument*/NULL); NullCheck(L_10); ArrayElementTypeCheck (L_10, L_12); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_12); IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_LogWarningFormat_m1813005434(NULL /*static, unused*/, L_9, _stringLiteral4142973515, L_10, /*hidden argument*/NULL); } IL_007c: { (&___settings0)->set_fontSize_2(0); (&___settings0)->set_fontStyle_6(0); } IL_008d: { bool L_13 = (&___settings0)->get_resizeTextForBestFit_9(); if (!L_13) { goto IL_00db; } } { Font_t3940830037 * L_14 = (&___settings0)->get_font_0(); IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_15 = Object_op_Inequality_m3066781294(NULL /*static, unused*/, L_14, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_15) { goto IL_00d2; } } { Font_t3940830037 * L_16 = (&___settings0)->get_font_0(); ObjectU5BU5D_t846638089* L_17 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)1)); Font_t3940830037 * L_18 = (&___settings0)->get_font_0(); NullCheck(L_18); String_t* L_19 = Object_get_name_m910479749(L_18, /*hidden argument*/NULL); NullCheck(L_17); ArrayElementTypeCheck (L_17, L_19); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_19); IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_LogWarningFormat_m1813005434(NULL /*static, unused*/, L_16, _stringLiteral1120775228, L_17, /*hidden argument*/NULL); } IL_00d2: { (&___settings0)->set_resizeTextForBestFit_9((bool)0); } IL_00db: { TextGenerationSettings_t987435647 L_20 = ___settings0; V_0 = L_20; goto IL_00e2; } IL_00e2: { TextGenerationSettings_t987435647 L_21 = V_0; return L_21; } } // System.Void UnityEngine.TextGenerator::Invalidate() extern "C" void TextGenerator_Invalidate_m659906715 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { { __this->set_m_HasGenerated_3((bool)0); return; } } // System.Void UnityEngine.TextGenerator::GetCharacters(System.Collections.Generic.List`1<UnityEngine.UICharInfo>) extern "C" void TextGenerator_GetCharacters_m3080347000 (TextGenerator_t2161547030 * __this, List_1_t1760015106 * ___characters0, const RuntimeMethod* method) { { List_1_t1760015106 * L_0 = ___characters0; TextGenerator_GetCharactersInternal_m3700544044(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.TextGenerator::GetLines(System.Collections.Generic.List`1<UnityEngine.UILineInfo>) extern "C" void TextGenerator_GetLines_m4190699891 (TextGenerator_t2161547030 * __this, List_1_t4059619465 * ___lines0, const RuntimeMethod* method) { { List_1_t4059619465 * L_0 = ___lines0; TextGenerator_GetLinesInternal_m1977029047(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.TextGenerator::GetVertices(System.Collections.Generic.List`1<UnityEngine.UIVertex>) extern "C" void TextGenerator_GetVertices_m509573468 (TextGenerator_t2161547030 * __this, List_1_t2822604285 * ___vertices0, const RuntimeMethod* method) { { List_1_t2822604285 * L_0 = ___vertices0; TextGenerator_GetVerticesInternal_m4095926323(__this, L_0, /*hidden argument*/NULL); return; } } // System.Single UnityEngine.TextGenerator::GetPreferredWidth(System.String,UnityEngine.TextGenerationSettings) extern "C" float TextGenerator_GetPreferredWidth_m2794444555 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); float V_1 = 0.0f; { (&___settings1)->set_horizontalOverflow_14(1); (&___settings1)->set_verticalOverflow_13(1); (&___settings1)->set_updateBounds_12((bool)1); String_t* L_0 = ___str0; TextGenerationSettings_t987435647 L_1 = ___settings1; TextGenerator_Populate_m1640299117(__this, L_0, L_1, /*hidden argument*/NULL); Rect_t2469536665 L_2 = TextGenerator_get_rectExtents_m3169694617(__this, /*hidden argument*/NULL); V_0 = L_2; float L_3 = Rect_get_width_m3141255656((&V_0), /*hidden argument*/NULL); V_1 = L_3; goto IL_0036; } IL_0036: { float L_4 = V_1; return L_4; } } // System.Single UnityEngine.TextGenerator::GetPreferredHeight(System.String,UnityEngine.TextGenerationSettings) extern "C" float TextGenerator_GetPreferredHeight_m4083729566 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); float V_1 = 0.0f; { (&___settings1)->set_verticalOverflow_13(1); (&___settings1)->set_updateBounds_12((bool)1); String_t* L_0 = ___str0; TextGenerationSettings_t987435647 L_1 = ___settings1; TextGenerator_Populate_m1640299117(__this, L_0, L_1, /*hidden argument*/NULL); Rect_t2469536665 L_2 = TextGenerator_get_rectExtents_m3169694617(__this, /*hidden argument*/NULL); V_0 = L_2; float L_3 = Rect_get_height_m931612414((&V_0), /*hidden argument*/NULL); V_1 = L_3; goto IL_002e; } IL_002e: { float L_4 = V_1; return L_4; } } // System.Boolean UnityEngine.TextGenerator::PopulateWithErrors(System.String,UnityEngine.TextGenerationSettings,UnityEngine.GameObject) extern "C" bool TextGenerator_PopulateWithErrors_m1025011007 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, GameObject_t1817748288 * ___context2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator_PopulateWithErrors_m1025011007_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; bool V_1 = false; { String_t* L_0 = ___str0; TextGenerationSettings_t987435647 L_1 = ___settings1; int32_t L_2 = TextGenerator_PopulateWithError_m1391715733(__this, L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; int32_t L_3 = V_0; if (L_3) { goto IL_0017; } } { V_1 = (bool)1; goto IL_0064; } IL_0017: { int32_t L_4 = V_0; if (!((int32_t)((int32_t)L_4&(int32_t)1))) { goto IL_003a; } } { GameObject_t1817748288 * L_5 = ___context2; ObjectU5BU5D_t846638089* L_6 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)1)); Font_t3940830037 * L_7 = (&___settings1)->get_font_0(); NullCheck(L_6); ArrayElementTypeCheck (L_6, L_7); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_7); IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_LogErrorFormat_m85312570(NULL /*static, unused*/, L_5, _stringLiteral904486537, L_6, /*hidden argument*/NULL); } IL_003a: { int32_t L_8 = V_0; if (!((int32_t)((int32_t)L_8&(int32_t)2))) { goto IL_005d; } } { GameObject_t1817748288 * L_9 = ___context2; ObjectU5BU5D_t846638089* L_10 = ((ObjectU5BU5D_t846638089*)SZArrayNew(ObjectU5BU5D_t846638089_il2cpp_TypeInfo_var, (uint32_t)1)); Font_t3940830037 * L_11 = (&___settings1)->get_font_0(); NullCheck(L_10); ArrayElementTypeCheck (L_10, L_11); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_11); IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_LogErrorFormat_m85312570(NULL /*static, unused*/, L_9, _stringLiteral249715042, L_10, /*hidden argument*/NULL); } IL_005d: { V_1 = (bool)0; goto IL_0064; } IL_0064: { bool L_12 = V_1; return L_12; } } // System.Boolean UnityEngine.TextGenerator::Populate(System.String,UnityEngine.TextGenerationSettings) extern "C" bool TextGenerator_Populate_m1640299117 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) { int32_t V_0 = 0; bool V_1 = false; { String_t* L_0 = ___str0; TextGenerationSettings_t987435647 L_1 = ___settings1; int32_t L_2 = TextGenerator_PopulateWithError_m1391715733(__this, L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; int32_t L_3 = V_0; V_1 = (bool)((((int32_t)L_3) == ((int32_t)0))? 1 : 0); goto IL_0014; } IL_0014: { bool L_4 = V_1; return L_4; } } // UnityEngine.TextGenerationError UnityEngine.TextGenerator::PopulateWithError(System.String,UnityEngine.TextGenerationSettings) extern "C" int32_t TextGenerator_PopulateWithError_m1391715733 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator_PopulateWithError_m1391715733_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { bool L_0 = __this->get_m_HasGenerated_3(); if (!L_0) { goto IL_003b; } } { String_t* L_1 = ___str0; String_t* L_2 = __this->get_m_LastString_1(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_3 = String_op_Equality_m3093862454(NULL /*static, unused*/, L_1, L_2, /*hidden argument*/NULL); if (!L_3) { goto IL_003b; } } { TextGenerationSettings_t987435647 L_4 = __this->get_m_LastSettings_2(); bool L_5 = TextGenerationSettings_Equals_m4053434414((&___settings1), L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_003b; } } { int32_t L_6 = __this->get_m_LastValid_4(); V_0 = L_6; goto IL_0055; } IL_003b: { String_t* L_7 = ___str0; TextGenerationSettings_t987435647 L_8 = ___settings1; int32_t L_9 = TextGenerator_PopulateAlways_m3254052958(__this, L_7, L_8, /*hidden argument*/NULL); __this->set_m_LastValid_4(L_9); int32_t L_10 = __this->get_m_LastValid_4(); V_0 = L_10; goto IL_0055; } IL_0055: { int32_t L_11 = V_0; return L_11; } } // UnityEngine.TextGenerationError UnityEngine.TextGenerator::PopulateAlways(System.String,UnityEngine.TextGenerationSettings) extern "C" int32_t TextGenerator_PopulateAlways_m3254052958 (TextGenerator_t2161547030 * __this, String_t* ___str0, TextGenerationSettings_t987435647 ___settings1, const RuntimeMethod* method) { TextGenerationSettings_t987435647 V_0; memset(&V_0, 0, sizeof(V_0)); int32_t V_1 = 0; int32_t V_2 = 0; { String_t* L_0 = ___str0; __this->set_m_LastString_1(L_0); __this->set_m_HasGenerated_3((bool)1); __this->set_m_CachedVerts_8((bool)0); __this->set_m_CachedCharacters_9((bool)0); __this->set_m_CachedLines_10((bool)0); TextGenerationSettings_t987435647 L_1 = ___settings1; __this->set_m_LastSettings_2(L_1); TextGenerationSettings_t987435647 L_2 = ___settings1; TextGenerationSettings_t987435647 L_3 = TextGenerator_ValidatedSettings_m2194582883(__this, L_2, /*hidden argument*/NULL); V_0 = L_3; String_t* L_4 = ___str0; Font_t3940830037 * L_5 = (&V_0)->get_font_0(); Color_t3136506488 L_6 = (&V_0)->get_color_1(); int32_t L_7 = (&V_0)->get_fontSize_2(); float L_8 = (&V_0)->get_scaleFactor_5(); float L_9 = (&V_0)->get_lineSpacing_3(); int32_t L_10 = (&V_0)->get_fontStyle_6(); bool L_11 = (&V_0)->get_richText_4(); bool L_12 = (&V_0)->get_resizeTextForBestFit_9(); int32_t L_13 = (&V_0)->get_resizeTextMinSize_10(); int32_t L_14 = (&V_0)->get_resizeTextMaxSize_11(); int32_t L_15 = (&V_0)->get_verticalOverflow_13(); int32_t L_16 = (&V_0)->get_horizontalOverflow_14(); bool L_17 = (&V_0)->get_updateBounds_12(); int32_t L_18 = (&V_0)->get_textAnchor_7(); Vector2_t1870731928 L_19 = (&V_0)->get_generationExtents_15(); Vector2_t1870731928 L_20 = (&V_0)->get_pivot_16(); bool L_21 = (&V_0)->get_generateOutOfBounds_17(); bool L_22 = (&V_0)->get_alignByGeometry_8(); TextGenerator_Populate_Internal_m4154461145(__this, L_4, L_5, L_6, L_7, L_8, L_9, L_10, L_11, L_12, L_13, L_14, L_15, L_16, L_17, L_18, L_19, L_20, L_21, L_22, (&V_1), /*hidden argument*/NULL); int32_t L_23 = V_1; __this->set_m_LastValid_4(L_23); int32_t L_24 = V_1; V_2 = L_24; goto IL_00c9; } IL_00c9: { int32_t L_25 = V_2; return L_25; } } // System.Collections.Generic.IList`1<UnityEngine.UIVertex> UnityEngine.TextGenerator::get_verts() extern "C" RuntimeObject* TextGenerator_get_verts_m280808986 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { RuntimeObject* V_0 = NULL; { bool L_0 = __this->get_m_CachedVerts_8(); if (L_0) { goto IL_0021; } } { List_1_t2822604285 * L_1 = __this->get_m_Verts_5(); TextGenerator_GetVertices_m509573468(__this, L_1, /*hidden argument*/NULL); __this->set_m_CachedVerts_8((bool)1); } IL_0021: { List_1_t2822604285 * L_2 = __this->get_m_Verts_5(); V_0 = (RuntimeObject*)L_2; goto IL_002d; } IL_002d: { RuntimeObject* L_3 = V_0; return L_3; } } // System.Collections.Generic.IList`1<UnityEngine.UICharInfo> UnityEngine.TextGenerator::get_characters() extern "C" RuntimeObject* TextGenerator_get_characters_m2261319198 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { RuntimeObject* V_0 = NULL; { bool L_0 = __this->get_m_CachedCharacters_9(); if (L_0) { goto IL_0021; } } { List_1_t1760015106 * L_1 = __this->get_m_Characters_6(); TextGenerator_GetCharacters_m3080347000(__this, L_1, /*hidden argument*/NULL); __this->set_m_CachedCharacters_9((bool)1); } IL_0021: { List_1_t1760015106 * L_2 = __this->get_m_Characters_6(); V_0 = (RuntimeObject*)L_2; goto IL_002d; } IL_002d: { RuntimeObject* L_3 = V_0; return L_3; } } // System.Collections.Generic.IList`1<UnityEngine.UILineInfo> UnityEngine.TextGenerator::get_lines() extern "C" RuntimeObject* TextGenerator_get_lines_m2906419494 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { RuntimeObject* V_0 = NULL; { bool L_0 = __this->get_m_CachedLines_10(); if (L_0) { goto IL_0021; } } { List_1_t4059619465 * L_1 = __this->get_m_Lines_7(); TextGenerator_GetLines_m4190699891(__this, L_1, /*hidden argument*/NULL); __this->set_m_CachedLines_10((bool)1); } IL_0021: { List_1_t4059619465 * L_2 = __this->get_m_Lines_7(); V_0 = (RuntimeObject*)L_2; goto IL_002d; } IL_002d: { RuntimeObject* L_3 = V_0; return L_3; } } // System.Void UnityEngine.TextGenerator::Init() extern "C" void TextGenerator_Init_m510741601 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { typedef void (*TextGenerator_Init_m510741601_ftn) (TextGenerator_t2161547030 *); static TextGenerator_Init_m510741601_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_Init_m510741601_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::Init()"); _il2cpp_icall_func(__this); } // System.Void UnityEngine.TextGenerator::Dispose_cpp() extern "C" void TextGenerator_Dispose_cpp_m3284248192 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { typedef void (*TextGenerator_Dispose_cpp_m3284248192_ftn) (TextGenerator_t2161547030 *); static TextGenerator_Dispose_cpp_m3284248192_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_Dispose_cpp_m3284248192_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::Dispose_cpp()"); _il2cpp_icall_func(__this); } // System.Boolean UnityEngine.TextGenerator::Populate_Internal(System.String,UnityEngine.Font,UnityEngine.Color,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,UnityEngine.VerticalWrapMode,UnityEngine.HorizontalWrapMode,System.Boolean,UnityEngine.TextAnchor,UnityEngine.Vector2,UnityEngine.Vector2,System.Boolean,System.Boolean,UnityEngine.TextGenerationError&) extern "C" bool TextGenerator_Populate_Internal_m4154461145 (TextGenerator_t2161547030 * __this, String_t* ___str0, Font_t3940830037 * ___font1, Color_t3136506488 ___color2, int32_t ___fontSize3, float ___scaleFactor4, float ___lineSpacing5, int32_t ___style6, bool ___richText7, bool ___resizeTextForBestFit8, int32_t ___resizeTextMinSize9, int32_t ___resizeTextMaxSize10, int32_t ___verticalOverFlow11, int32_t ___horizontalOverflow12, bool ___updateBounds13, int32_t ___anchor14, Vector2_t1870731928 ___extents15, Vector2_t1870731928 ___pivot16, bool ___generateOutOfBounds17, bool ___alignByGeometry18, int32_t* ___error19, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TextGenerator_Populate_Internal_m4154461145_MetadataUsageId); s_Il2CppMethodInitialized = true; } uint32_t V_0 = 0; bool V_1 = false; bool V_2 = false; { V_0 = 0; Font_t3940830037 * L_0 = ___font1; IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); bool L_1 = Object_op_Equality_m2782127541(NULL /*static, unused*/, L_0, (Object_t1699899486 *)NULL, /*hidden argument*/NULL); if (!L_1) { goto IL_001b; } } { int32_t* L_2 = ___error19; *((int32_t*)(L_2)) = (int32_t)4; V_1 = (bool)0; goto IL_006b; } IL_001b: { String_t* L_3 = ___str0; Font_t3940830037 * L_4 = ___font1; Color_t3136506488 L_5 = ___color2; int32_t L_6 = ___fontSize3; float L_7 = ___scaleFactor4; float L_8 = ___lineSpacing5; int32_t L_9 = ___style6; bool L_10 = ___richText7; bool L_11 = ___resizeTextForBestFit8; int32_t L_12 = ___resizeTextMinSize9; int32_t L_13 = ___resizeTextMaxSize10; int32_t L_14 = ___verticalOverFlow11; int32_t L_15 = ___horizontalOverflow12; bool L_16 = ___updateBounds13; int32_t L_17 = ___anchor14; float L_18 = (&___extents15)->get_x_0(); float L_19 = (&___extents15)->get_y_1(); float L_20 = (&___pivot16)->get_x_0(); float L_21 = (&___pivot16)->get_y_1(); bool L_22 = ___generateOutOfBounds17; bool L_23 = ___alignByGeometry18; bool L_24 = TextGenerator_Populate_Internal_cpp_m3555785314(__this, L_3, L_4, L_5, L_6, L_7, L_8, L_9, L_10, L_11, L_12, L_13, L_14, L_15, L_16, L_17, L_18, L_19, L_20, L_21, L_22, L_23, (&V_0), /*hidden argument*/NULL); V_2 = L_24; int32_t* L_25 = ___error19; uint32_t L_26 = V_0; *((int32_t*)(L_25)) = (int32_t)L_26; bool L_27 = V_2; V_1 = L_27; goto IL_006b; } IL_006b: { bool L_28 = V_1; return L_28; } } // System.Boolean UnityEngine.TextGenerator::Populate_Internal_cpp(System.String,UnityEngine.Font,UnityEngine.Color,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,UnityEngine.TextAnchor,System.Single,System.Single,System.Single,System.Single,System.Boolean,System.Boolean,System.UInt32&) extern "C" bool TextGenerator_Populate_Internal_cpp_m3555785314 (TextGenerator_t2161547030 * __this, String_t* ___str0, Font_t3940830037 * ___font1, Color_t3136506488 ___color2, int32_t ___fontSize3, float ___scaleFactor4, float ___lineSpacing5, int32_t ___style6, bool ___richText7, bool ___resizeTextForBestFit8, int32_t ___resizeTextMinSize9, int32_t ___resizeTextMaxSize10, int32_t ___verticalOverFlow11, int32_t ___horizontalOverflow12, bool ___updateBounds13, int32_t ___anchor14, float ___extentsX15, float ___extentsY16, float ___pivotX17, float ___pivotY18, bool ___generateOutOfBounds19, bool ___alignByGeometry20, uint32_t* ___error21, const RuntimeMethod* method) { bool V_0 = false; { String_t* L_0 = ___str0; Font_t3940830037 * L_1 = ___font1; int32_t L_2 = ___fontSize3; float L_3 = ___scaleFactor4; float L_4 = ___lineSpacing5; int32_t L_5 = ___style6; bool L_6 = ___richText7; bool L_7 = ___resizeTextForBestFit8; int32_t L_8 = ___resizeTextMinSize9; int32_t L_9 = ___resizeTextMaxSize10; int32_t L_10 = ___verticalOverFlow11; int32_t L_11 = ___horizontalOverflow12; bool L_12 = ___updateBounds13; int32_t L_13 = ___anchor14; float L_14 = ___extentsX15; float L_15 = ___extentsY16; float L_16 = ___pivotX17; float L_17 = ___pivotY18; bool L_18 = ___generateOutOfBounds19; bool L_19 = ___alignByGeometry20; uint32_t* L_20 = ___error21; bool L_21 = TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198(NULL /*static, unused*/, __this, L_0, L_1, (&___color2), L_2, L_3, L_4, L_5, L_6, L_7, L_8, L_9, L_10, L_11, L_12, L_13, L_14, L_15, L_16, L_17, L_18, L_19, L_20, /*hidden argument*/NULL); V_0 = L_21; goto IL_0037; } IL_0037: { bool L_22 = V_0; return L_22; } } // System.Boolean UnityEngine.TextGenerator::INTERNAL_CALL_Populate_Internal_cpp(UnityEngine.TextGenerator,System.String,UnityEngine.Font,UnityEngine.Color&,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,UnityEngine.TextAnchor,System.Single,System.Single,System.Single,System.Single,System.Boolean,System.Boolean,System.UInt32&) extern "C" bool TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198 (RuntimeObject * __this /* static, unused */, TextGenerator_t2161547030 * ___self0, String_t* ___str1, Font_t3940830037 * ___font2, Color_t3136506488 * ___color3, int32_t ___fontSize4, float ___scaleFactor5, float ___lineSpacing6, int32_t ___style7, bool ___richText8, bool ___resizeTextForBestFit9, int32_t ___resizeTextMinSize10, int32_t ___resizeTextMaxSize11, int32_t ___verticalOverFlow12, int32_t ___horizontalOverflow13, bool ___updateBounds14, int32_t ___anchor15, float ___extentsX16, float ___extentsY17, float ___pivotX18, float ___pivotY19, bool ___generateOutOfBounds20, bool ___alignByGeometry21, uint32_t* ___error22, const RuntimeMethod* method) { typedef bool (*TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198_ftn) (TextGenerator_t2161547030 *, String_t*, Font_t3940830037 *, Color_t3136506488 *, int32_t, float, float, int32_t, bool, bool, int32_t, int32_t, int32_t, int32_t, bool, int32_t, float, float, float, float, bool, bool, uint32_t*); static TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_INTERNAL_CALL_Populate_Internal_cpp_m1597605198_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::INTERNAL_CALL_Populate_Internal_cpp(UnityEngine.TextGenerator,System.String,UnityEngine.Font,UnityEngine.Color&,System.Int32,System.Single,System.Single,UnityEngine.FontStyle,System.Boolean,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,UnityEngine.TextAnchor,System.Single,System.Single,System.Single,System.Single,System.Boolean,System.Boolean,System.UInt32&)"); bool retVal = _il2cpp_icall_func(___self0, ___str1, ___font2, ___color3, ___fontSize4, ___scaleFactor5, ___lineSpacing6, ___style7, ___richText8, ___resizeTextForBestFit9, ___resizeTextMinSize10, ___resizeTextMaxSize11, ___verticalOverFlow12, ___horizontalOverflow13, ___updateBounds14, ___anchor15, ___extentsX16, ___extentsY17, ___pivotX18, ___pivotY19, ___generateOutOfBounds20, ___alignByGeometry21, ___error22); return retVal; } // UnityEngine.Rect UnityEngine.TextGenerator::get_rectExtents() extern "C" Rect_t2469536665 TextGenerator_get_rectExtents_m3169694617 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { Rect_t2469536665 V_0; memset(&V_0, 0, sizeof(V_0)); Rect_t2469536665 V_1; memset(&V_1, 0, sizeof(V_1)); { TextGenerator_INTERNAL_get_rectExtents_m2771771722(__this, (&V_0), /*hidden argument*/NULL); Rect_t2469536665 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Rect_t2469536665 L_1 = V_1; return L_1; } } // System.Void UnityEngine.TextGenerator::INTERNAL_get_rectExtents(UnityEngine.Rect&) extern "C" void TextGenerator_INTERNAL_get_rectExtents_m2771771722 (TextGenerator_t2161547030 * __this, Rect_t2469536665 * ___value0, const RuntimeMethod* method) { typedef void (*TextGenerator_INTERNAL_get_rectExtents_m2771771722_ftn) (TextGenerator_t2161547030 *, Rect_t2469536665 *); static TextGenerator_INTERNAL_get_rectExtents_m2771771722_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_INTERNAL_get_rectExtents_m2771771722_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::INTERNAL_get_rectExtents(UnityEngine.Rect&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.TextGenerator::GetVerticesInternal(System.Object) extern "C" void TextGenerator_GetVerticesInternal_m4095926323 (TextGenerator_t2161547030 * __this, RuntimeObject * ___vertices0, const RuntimeMethod* method) { typedef void (*TextGenerator_GetVerticesInternal_m4095926323_ftn) (TextGenerator_t2161547030 *, RuntimeObject *); static TextGenerator_GetVerticesInternal_m4095926323_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_GetVerticesInternal_m4095926323_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::GetVerticesInternal(System.Object)"); _il2cpp_icall_func(__this, ___vertices0); } // System.Int32 UnityEngine.TextGenerator::get_characterCount() extern "C" int32_t TextGenerator_get_characterCount_m3392283598 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { typedef int32_t (*TextGenerator_get_characterCount_m3392283598_ftn) (TextGenerator_t2161547030 *); static TextGenerator_get_characterCount_m3392283598_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_get_characterCount_m3392283598_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::get_characterCount()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Int32 UnityEngine.TextGenerator::get_characterCountVisible() extern "C" int32_t TextGenerator_get_characterCountVisible_m2219922318 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = TextGenerator_get_characterCount_m3392283598(__this, /*hidden argument*/NULL); V_0 = ((int32_t)((int32_t)L_0-(int32_t)1)); goto IL_000f; } IL_000f: { int32_t L_1 = V_0; return L_1; } } // System.Void UnityEngine.TextGenerator::GetCharactersInternal(System.Object) extern "C" void TextGenerator_GetCharactersInternal_m3700544044 (TextGenerator_t2161547030 * __this, RuntimeObject * ___characters0, const RuntimeMethod* method) { typedef void (*TextGenerator_GetCharactersInternal_m3700544044_ftn) (TextGenerator_t2161547030 *, RuntimeObject *); static TextGenerator_GetCharactersInternal_m3700544044_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_GetCharactersInternal_m3700544044_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::GetCharactersInternal(System.Object)"); _il2cpp_icall_func(__this, ___characters0); } // System.Int32 UnityEngine.TextGenerator::get_lineCount() extern "C" int32_t TextGenerator_get_lineCount_m2307121851 (TextGenerator_t2161547030 * __this, const RuntimeMethod* method) { typedef int32_t (*TextGenerator_get_lineCount_m2307121851_ftn) (TextGenerator_t2161547030 *); static TextGenerator_get_lineCount_m2307121851_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_get_lineCount_m2307121851_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::get_lineCount()"); int32_t retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.TextGenerator::GetLinesInternal(System.Object) extern "C" void TextGenerator_GetLinesInternal_m1977029047 (TextGenerator_t2161547030 * __this, RuntimeObject * ___lines0, const RuntimeMethod* method) { typedef void (*TextGenerator_GetLinesInternal_m1977029047_ftn) (TextGenerator_t2161547030 *, RuntimeObject *); static TextGenerator_GetLinesInternal_m1977029047_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TextGenerator_GetLinesInternal_m1977029047_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TextGenerator::GetLinesInternal(System.Object)"); _il2cpp_icall_func(__this, ___lines0); } // System.Void UnityEngine.Texture::.ctor() extern "C" void Texture__ctor_m1592747347 (Texture_t735859423 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Texture__ctor_m1592747347_MetadataUsageId); s_Il2CppMethodInitialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Object_t1699899486_il2cpp_TypeInfo_var); Object__ctor_m3590831833(__this, /*hidden argument*/NULL); return; } } // System.Int32 UnityEngine.Texture::Internal_GetWidth(UnityEngine.Texture) extern "C" int32_t Texture_Internal_GetWidth_m2358074137 (RuntimeObject * __this /* static, unused */, Texture_t735859423 * ___t0, const RuntimeMethod* method) { typedef int32_t (*Texture_Internal_GetWidth_m2358074137_ftn) (Texture_t735859423 *); static Texture_Internal_GetWidth_m2358074137_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture_Internal_GetWidth_m2358074137_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::Internal_GetWidth(UnityEngine.Texture)"); int32_t retVal = _il2cpp_icall_func(___t0); return retVal; } // System.Int32 UnityEngine.Texture::Internal_GetHeight(UnityEngine.Texture) extern "C" int32_t Texture_Internal_GetHeight_m2496957450 (RuntimeObject * __this /* static, unused */, Texture_t735859423 * ___t0, const RuntimeMethod* method) { typedef int32_t (*Texture_Internal_GetHeight_m2496957450_ftn) (Texture_t735859423 *); static Texture_Internal_GetHeight_m2496957450_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture_Internal_GetHeight_m2496957450_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::Internal_GetHeight(UnityEngine.Texture)"); int32_t retVal = _il2cpp_icall_func(___t0); return retVal; } // System.Int32 UnityEngine.Texture::get_width() extern "C" int32_t Texture_get_width_m1764014683 (Texture_t735859423 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = Texture_Internal_GetWidth_m2358074137(NULL /*static, unused*/, __this, /*hidden argument*/NULL); V_0 = L_0; goto IL_000d; } IL_000d: { int32_t L_1 = V_0; return L_1; } } // System.Int32 UnityEngine.Texture::get_height() extern "C" int32_t Texture_get_height_m942558227 (Texture_t735859423 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; { int32_t L_0 = Texture_Internal_GetHeight_m2496957450(NULL /*static, unused*/, __this, /*hidden argument*/NULL); V_0 = L_0; goto IL_000d; } IL_000d: { int32_t L_1 = V_0; return L_1; } } // UnityEngine.TextureWrapMode UnityEngine.Texture::get_wrapMode() extern "C" int32_t Texture_get_wrapMode_m1626592338 (Texture_t735859423 * __this, const RuntimeMethod* method) { typedef int32_t (*Texture_get_wrapMode_m1626592338_ftn) (Texture_t735859423 *); static Texture_get_wrapMode_m1626592338_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture_get_wrapMode_m1626592338_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" Vector2_t1870731928 Texture_get_texelSize_m4270488919 (Texture_t735859423 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector2_t1870731928 V_1; memset(&V_1, 0, sizeof(V_1)); { Texture_INTERNAL_get_texelSize_m3325074551(__this, (&V_0), /*hidden argument*/NULL); Vector2_t1870731928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector2_t1870731928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Texture::INTERNAL_get_texelSize(UnityEngine.Vector2&) extern "C" void Texture_INTERNAL_get_texelSize_m3325074551 (Texture_t735859423 * __this, Vector2_t1870731928 * ___value0, const RuntimeMethod* method) { typedef void (*Texture_INTERNAL_get_texelSize_m3325074551_ftn) (Texture_t735859423 *, Vector2_t1870731928 *); static Texture_INTERNAL_get_texelSize_m3325074551_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture_INTERNAL_get_texelSize_m3325074551_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture::INTERNAL_get_texelSize(UnityEngine.Vector2&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Texture2D::.ctor(System.Int32,System.Int32) extern "C" void Texture2D__ctor_m1311730241 (Texture2D_t4076404164 * __this, int32_t ___width0, int32_t ___height1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Texture2D__ctor_m1311730241_MetadataUsageId); s_Il2CppMethodInitialized = true; } { Texture__ctor_m1592747347(__this, /*hidden argument*/NULL); int32_t L_0 = ___width0; int32_t L_1 = ___height1; IntPtr_t L_2 = ((IntPtr_t_StaticFields*)il2cpp_codegen_static_fields_for(IntPtr_t_il2cpp_TypeInfo_var))->get_Zero_1(); Texture2D_Internal_Create_m84590841(NULL /*static, unused*/, __this, L_0, L_1, 4, (bool)1, (bool)0, L_2, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Texture2D::Internal_Create(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean,System.IntPtr) extern "C" void Texture2D_Internal_Create_m84590841 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___mono0, int32_t ___width1, int32_t ___height2, int32_t ___format3, bool ___mipmap4, bool ___linear5, IntPtr_t ___nativeTex6, const RuntimeMethod* method) { typedef void (*Texture2D_Internal_Create_m84590841_ftn) (Texture2D_t4076404164 *, int32_t, int32_t, int32_t, bool, bool, IntPtr_t); static Texture2D_Internal_Create_m84590841_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture2D_Internal_Create_m84590841_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::Internal_Create(UnityEngine.Texture2D,System.Int32,System.Int32,UnityEngine.TextureFormat,System.Boolean,System.Boolean,System.IntPtr)"); _il2cpp_icall_func(___mono0, ___width1, ___height2, ___format3, ___mipmap4, ___linear5, ___nativeTex6); } // UnityEngine.Texture2D UnityEngine.Texture2D::get_whiteTexture() extern "C" Texture2D_t4076404164 * Texture2D_get_whiteTexture_m1260792305 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef Texture2D_t4076404164 * (*Texture2D_get_whiteTexture_m1260792305_ftn) (); static Texture2D_get_whiteTexture_m1260792305_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture2D_get_whiteTexture_m1260792305_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::get_whiteTexture()"); Texture2D_t4076404164 * retVal = _il2cpp_icall_func(); return retVal; } // UnityEngine.Color UnityEngine.Texture2D::GetPixelBilinear(System.Single,System.Single) extern "C" Color_t3136506488 Texture2D_GetPixelBilinear_m430885267 (Texture2D_t4076404164 * __this, float ___u0, float ___v1, const RuntimeMethod* method) { Color_t3136506488 V_0; memset(&V_0, 0, sizeof(V_0)); Color_t3136506488 V_1; memset(&V_1, 0, sizeof(V_1)); { float L_0 = ___u0; float L_1 = ___v1; Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945(NULL /*static, unused*/, __this, L_0, L_1, (&V_0), /*hidden argument*/NULL); Color_t3136506488 L_2 = V_0; V_1 = L_2; goto IL_0012; } IL_0012: { Color_t3136506488 L_3 = V_1; return L_3; } } // System.Void UnityEngine.Texture2D::INTERNAL_CALL_GetPixelBilinear(UnityEngine.Texture2D,System.Single,System.Single,UnityEngine.Color&) extern "C" void Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945 (RuntimeObject * __this /* static, unused */, Texture2D_t4076404164 * ___self0, float ___u1, float ___v2, Color_t3136506488 * ___value3, const RuntimeMethod* method) { typedef void (*Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945_ftn) (Texture2D_t4076404164 *, float, float, Color_t3136506488 *); static Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Texture2D_INTERNAL_CALL_GetPixelBilinear_m3798164945_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Texture2D::INTERNAL_CALL_GetPixelBilinear(UnityEngine.Texture2D,System.Single,System.Single,UnityEngine.Color&)"); _il2cpp_icall_func(___self0, ___u1, ___v2, ___value3); } // System.Void UnityEngine.ThreadAndSerializationSafeAttribute::.ctor() extern "C" void ThreadAndSerializationSafeAttribute__ctor_m3828582120 (ThreadAndSerializationSafeAttribute_t3708378210 * __this, const RuntimeMethod* method) { { Attribute__ctor_m313611981(__this, /*hidden argument*/NULL); return; } } // System.Single UnityEngine.Time::get_deltaTime() extern "C" float Time_get_deltaTime_m4231580850 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef float (*Time_get_deltaTime_m4231580850_ftn) (); static Time_get_deltaTime_m4231580850_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Time_get_deltaTime_m4231580850_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_deltaTime()"); float retVal = _il2cpp_icall_func(); return retVal; } // System.Single UnityEngine.Time::get_unscaledTime() extern "C" float Time_get_unscaledTime_m1933313210 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef float (*Time_get_unscaledTime_m1933313210_ftn) (); static Time_get_unscaledTime_m1933313210_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Time_get_unscaledTime_m1933313210_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_unscaledTime()"); float retVal = _il2cpp_icall_func(); return retVal; } // System.Single UnityEngine.Time::get_unscaledDeltaTime() extern "C" float Time_get_unscaledDeltaTime_m2042301099 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef float (*Time_get_unscaledDeltaTime_m2042301099_ftn) (); static Time_get_unscaledDeltaTime_m2042301099_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Time_get_unscaledDeltaTime_m2042301099_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_unscaledDeltaTime()"); float retVal = _il2cpp_icall_func(); return retVal; } // System.Single UnityEngine.Time::get_realtimeSinceStartup() extern "C" float Time_get_realtimeSinceStartup_m2142052792 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { typedef float (*Time_get_realtimeSinceStartup_m2142052792_ftn) (); static Time_get_realtimeSinceStartup_m2142052792_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Time_get_realtimeSinceStartup_m2142052792_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Time::get_realtimeSinceStartup()"); float retVal = _il2cpp_icall_func(); return retVal; } // System.Void UnityEngine.TooltipAttribute::.ctor(System.String) extern "C" void TooltipAttribute__ctor_m4000157270 (TooltipAttribute_t2393142556 * __this, String_t* ___tooltip0, const RuntimeMethod* method) { { PropertyAttribute__ctor_m3153095945(__this, /*hidden argument*/NULL); String_t* L_0 = ___tooltip0; __this->set_tooltip_0(L_0); return; } } // System.Int32 UnityEngine.Touch::get_fingerId() extern "C" int32_t Touch_get_fingerId_m877717961 (Touch_t2994539933 * __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_m877717961_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Touch_t2994539933 * _thisAdjusted = reinterpret_cast<Touch_t2994539933 *>(__this + 1); return Touch_get_fingerId_m877717961(_thisAdjusted, method); } // UnityEngine.Vector2 UnityEngine.Touch::get_position() extern "C" Vector2_t1870731928 Touch_get_position_m2269895505 (Touch_t2994539933 * __this, const RuntimeMethod* method) { Vector2_t1870731928 V_0; memset(&V_0, 0, sizeof(V_0)); { Vector2_t1870731928 L_0 = __this->get_m_Position_1(); V_0 = L_0; goto IL_000d; } IL_000d: { Vector2_t1870731928 L_1 = V_0; return L_1; } } extern "C" Vector2_t1870731928 Touch_get_position_m2269895505_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Touch_t2994539933 * _thisAdjusted = reinterpret_cast<Touch_t2994539933 *>(__this + 1); return Touch_get_position_m2269895505(_thisAdjusted, method); } // UnityEngine.TouchPhase UnityEngine.Touch::get_phase() extern "C" int32_t Touch_get_phase_m457569308 (Touch_t2994539933 * __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_m457569308_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Touch_t2994539933 * _thisAdjusted = reinterpret_cast<Touch_t2994539933 *>(__this + 1); return Touch_get_phase_m457569308(_thisAdjusted, method); } // System.Single UnityEngine.Touch::get_pressure() extern "C" float Touch_get_pressure_m3163375352 (Touch_t2994539933 * __this, const RuntimeMethod* method) { float V_0 = 0.0f; { float L_0 = __this->get_m_Pressure_8(); V_0 = L_0; goto IL_000d; } IL_000d: { float L_1 = V_0; return L_1; } } extern "C" float Touch_get_pressure_m3163375352_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Touch_t2994539933 * _thisAdjusted = reinterpret_cast<Touch_t2994539933 *>(__this + 1); return Touch_get_pressure_m3163375352(_thisAdjusted, method); } // UnityEngine.TouchType UnityEngine.Touch::get_type() extern "C" int32_t Touch_get_type_m1280003077 (Touch_t2994539933 * __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_m1280003077_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Touch_t2994539933 * _thisAdjusted = reinterpret_cast<Touch_t2994539933 *>(__this + 1); return Touch_get_type_m1280003077(_thisAdjusted, method); } // System.Void UnityEngine.TouchScreenKeyboard::.ctor(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String) extern "C" void TouchScreenKeyboard__ctor_m1058353684 (TouchScreenKeyboard_t2626315871 * __this, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TouchScreenKeyboard__ctor_m1058353684_MetadataUsageId); s_Il2CppMethodInitialized = true; } TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663 V_0; memset(&V_0, 0, sizeof(V_0)); { Object__ctor_m3741171996(__this, /*hidden argument*/NULL); Initobj (TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663_il2cpp_TypeInfo_var, (&V_0)); int32_t L_0 = ___keyboardType1; int32_t L_1 = L_0; RuntimeObject * L_2 = Box(TouchScreenKeyboardType_t2126995860_il2cpp_TypeInfo_var, &L_1); IL2CPP_RUNTIME_CLASS_INIT(Convert_t2300086662_il2cpp_TypeInfo_var); uint32_t L_3 = Convert_ToUInt32_m644467465(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); (&V_0)->set_keyboardType_0(L_3); bool L_4 = ___autocorrection2; uint32_t L_5 = Convert_ToUInt32_m3506788801(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); (&V_0)->set_autocorrection_1(L_5); bool L_6 = ___multiline3; uint32_t L_7 = Convert_ToUInt32_m3506788801(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); (&V_0)->set_multiline_2(L_7); bool L_8 = ___secure4; uint32_t L_9 = Convert_ToUInt32_m3506788801(NULL /*static, unused*/, L_8, /*hidden argument*/NULL); (&V_0)->set_secure_3(L_9); bool L_10 = ___alert5; uint32_t L_11 = Convert_ToUInt32_m3506788801(NULL /*static, unused*/, L_10, /*hidden argument*/NULL); (&V_0)->set_alert_4(L_11); String_t* L_12 = ___text0; String_t* L_13 = ___textPlaceholder6; TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042(__this, (&V_0), L_12, L_13, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.TouchScreenKeyboard::Destroy() extern "C" void TouchScreenKeyboard_Destroy_m277249040 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_Destroy_m277249040_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_Destroy_m277249040_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_Destroy_m277249040_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::Destroy()"); _il2cpp_icall_func(__this); } // System.Void UnityEngine.TouchScreenKeyboard::Finalize() extern "C" void TouchScreenKeyboard_Finalize_m1200287424 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { Exception_t4051195559 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t4051195559 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { } IL_0001: try { // begin try (depth: 1) TouchScreenKeyboard_Destroy_m277249040(__this, /*hidden argument*/NULL); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t4051195559 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m4018844832(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t4051195559 *) } IL_0013: { return; } } // System.Void UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments&,System.String,System.String) extern "C" void TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042 (TouchScreenKeyboard_t2626315871 * __this, TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663 * ___arguments0, String_t* ___text1, String_t* ___textPlaceholder2, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042_ftn) (TouchScreenKeyboard_t2626315871 *, TouchScreenKeyboard_InternalConstructorHelperArguments_t2818254663 *, String_t*, String_t*); static TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_TouchScreenKeyboard_InternalConstructorHelper_m2025695042_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::TouchScreenKeyboard_InternalConstructorHelper(UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments&,System.String,System.String)"); _il2cpp_icall_func(__this, ___arguments0, ___text1, ___textPlaceholder2); } // System.Boolean UnityEngine.TouchScreenKeyboard::get_isSupported() extern "C" bool TouchScreenKeyboard_get_isSupported_m3318978573 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { int32_t V_0 = 0; bool V_1 = false; { int32_t L_0 = Application_get_platform_m3173055975(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = L_0; int32_t L_1 = V_0; switch (((int32_t)((int32_t)L_1-(int32_t)((int32_t)18)))) { case 0: { goto IL_006d; } case 1: { goto IL_006d; } case 2: { goto IL_006d; } case 3: { goto IL_0034; } case 4: { goto IL_0034; } case 5: { goto IL_0066; } case 6: { goto IL_0034; } case 7: { goto IL_0034; } case 8: { goto IL_0066; } } } IL_0034: { int32_t L_2 = V_0; switch (((int32_t)((int32_t)L_2-(int32_t)((int32_t)30)))) { case 0: { goto IL_0066; } case 1: { goto IL_0066; } case 2: { goto IL_0066; } } } { int32_t L_3 = V_0; switch (((int32_t)((int32_t)L_3-(int32_t)8))) { case 0: { goto IL_0066; } case 1: { goto IL_0074; } case 2: { goto IL_0074; } case 3: { goto IL_0066; } } } { goto IL_0074; } IL_0066: { V_1 = (bool)1; goto IL_007b; } IL_006d: { V_1 = (bool)0; goto IL_007b; } IL_0074: { V_1 = (bool)0; goto IL_007b; } IL_007b: { bool L_4 = V_1; return L_4; } } // UnityEngine.TouchScreenKeyboard UnityEngine.TouchScreenKeyboard::Open(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean) extern "C" TouchScreenKeyboard_t2626315871 * TouchScreenKeyboard_Open_m463637665 (RuntimeObject * __this /* static, unused */, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TouchScreenKeyboard_Open_m463637665_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; bool V_1 = false; TouchScreenKeyboard_t2626315871 * V_2 = NULL; { V_0 = _stringLiteral2971679517; V_1 = (bool)0; 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 = V_1; String_t* L_6 = V_0; TouchScreenKeyboard_t2626315871 * L_7 = TouchScreenKeyboard_Open_m3316539007(NULL /*static, unused*/, L_0, L_1, L_2, L_3, L_4, L_5, L_6, /*hidden argument*/NULL); V_2 = L_7; goto IL_001c; } IL_001c: { TouchScreenKeyboard_t2626315871 * L_8 = V_2; return L_8; } } // UnityEngine.TouchScreenKeyboard UnityEngine.TouchScreenKeyboard::Open(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean) extern "C" TouchScreenKeyboard_t2626315871 * TouchScreenKeyboard_Open_m3913404102 (RuntimeObject * __this /* static, unused */, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TouchScreenKeyboard_Open_m3913404102_MetadataUsageId); s_Il2CppMethodInitialized = true; } String_t* V_0 = NULL; bool V_1 = false; bool V_2 = false; TouchScreenKeyboard_t2626315871 * V_3 = NULL; { V_0 = _stringLiteral2971679517; V_1 = (bool)0; V_2 = (bool)0; String_t* L_0 = ___text0; int32_t L_1 = ___keyboardType1; bool L_2 = ___autocorrection2; bool L_3 = ___multiline3; bool L_4 = V_2; bool L_5 = V_1; String_t* L_6 = V_0; TouchScreenKeyboard_t2626315871 * L_7 = TouchScreenKeyboard_Open_m3316539007(NULL /*static, unused*/, L_0, L_1, L_2, L_3, L_4, L_5, L_6, /*hidden argument*/NULL); V_3 = L_7; goto IL_001d; } IL_001d: { TouchScreenKeyboard_t2626315871 * L_8 = V_3; return L_8; } } // UnityEngine.TouchScreenKeyboard UnityEngine.TouchScreenKeyboard::Open(System.String,UnityEngine.TouchScreenKeyboardType,System.Boolean,System.Boolean,System.Boolean,System.Boolean,System.String) extern "C" TouchScreenKeyboard_t2626315871 * TouchScreenKeyboard_Open_m3316539007 (RuntimeObject * __this /* static, unused */, String_t* ___text0, int32_t ___keyboardType1, bool ___autocorrection2, bool ___multiline3, bool ___secure4, bool ___alert5, String_t* ___textPlaceholder6, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TouchScreenKeyboard_Open_m3316539007_MetadataUsageId); s_Il2CppMethodInitialized = true; } TouchScreenKeyboard_t2626315871 * 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; TouchScreenKeyboard_t2626315871 * L_7 = (TouchScreenKeyboard_t2626315871 *)il2cpp_codegen_object_new(TouchScreenKeyboard_t2626315871_il2cpp_TypeInfo_var); TouchScreenKeyboard__ctor_m1058353684(L_7, L_0, L_1, L_2, L_3, L_4, L_5, L_6, /*hidden argument*/NULL); V_0 = L_7; goto IL_0016; } IL_0016: { TouchScreenKeyboard_t2626315871 * L_8 = V_0; return L_8; } } // System.String UnityEngine.TouchScreenKeyboard::get_text() extern "C" String_t* TouchScreenKeyboard_get_text_m2554278297 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef String_t* (*TouchScreenKeyboard_get_text_m2554278297_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_get_text_m2554278297_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_get_text_m2554278297_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" void TouchScreenKeyboard_set_text_m2449377096 (TouchScreenKeyboard_t2626315871 * __this, String_t* ___value0, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_set_text_m2449377096_ftn) (TouchScreenKeyboard_t2626315871 *, String_t*); static TouchScreenKeyboard_set_text_m2449377096_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_set_text_m2449377096_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" void TouchScreenKeyboard_set_hideInput_m3977043177 (RuntimeObject * __this /* static, unused */, bool ___value0, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_set_hideInput_m3977043177_ftn) (bool); static TouchScreenKeyboard_set_hideInput_m3977043177_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_set_hideInput_m3977043177_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_hideInput(System.Boolean)"); _il2cpp_icall_func(___value0); } // System.Boolean UnityEngine.TouchScreenKeyboard::get_active() extern "C" bool TouchScreenKeyboard_get_active_m2737128070 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef bool (*TouchScreenKeyboard_get_active_m2737128070_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_get_active_m2737128070_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_get_active_m2737128070_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" void TouchScreenKeyboard_set_active_m1727731363 (TouchScreenKeyboard_t2626315871 * __this, bool ___value0, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_set_active_m1727731363_ftn) (TouchScreenKeyboard_t2626315871 *, bool); static TouchScreenKeyboard_set_active_m1727731363_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_set_active_m1727731363_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::set_active(System.Boolean)"); _il2cpp_icall_func(__this, ___value0); } // System.Boolean UnityEngine.TouchScreenKeyboard::get_done() extern "C" bool TouchScreenKeyboard_get_done_m4265293257 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef bool (*TouchScreenKeyboard_get_done_m4265293257_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_get_done_m4265293257_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_get_done_m4265293257_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_done()"); bool retVal = _il2cpp_icall_func(__this); return retVal; } // System.Boolean UnityEngine.TouchScreenKeyboard::get_wasCanceled() extern "C" bool TouchScreenKeyboard_get_wasCanceled_m558811873 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef bool (*TouchScreenKeyboard_get_wasCanceled_m558811873_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_get_wasCanceled_m558811873_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_get_wasCanceled_m558811873_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_wasCanceled()"); bool retVal = _il2cpp_icall_func(__this); return retVal; } // System.Boolean UnityEngine.TouchScreenKeyboard::get_canGetSelection() extern "C" bool TouchScreenKeyboard_get_canGetSelection_m1884994718 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { typedef bool (*TouchScreenKeyboard_get_canGetSelection_m1884994718_ftn) (TouchScreenKeyboard_t2626315871 *); static TouchScreenKeyboard_get_canGetSelection_m1884994718_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_get_canGetSelection_m1884994718_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::get_canGetSelection()"); bool retVal = _il2cpp_icall_func(__this); return retVal; } // UnityEngine.RangeInt UnityEngine.TouchScreenKeyboard::get_selection() extern "C" RangeInt_t2053840565 TouchScreenKeyboard_get_selection_m3628488633 (TouchScreenKeyboard_t2626315871 * __this, const RuntimeMethod* method) { RangeInt_t2053840565 V_0; memset(&V_0, 0, sizeof(V_0)); RangeInt_t2053840565 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_GetSelectionInternal_m220187720(__this, L_0, L_1, /*hidden argument*/NULL); RangeInt_t2053840565 L_2 = V_0; V_1 = L_2; goto IL_001c; } IL_001c: { RangeInt_t2053840565 L_3 = V_1; return L_3; } } // System.Void UnityEngine.TouchScreenKeyboard::GetSelectionInternal(System.Int32&,System.Int32&) extern "C" void TouchScreenKeyboard_GetSelectionInternal_m220187720 (TouchScreenKeyboard_t2626315871 * __this, int32_t* ___start0, int32_t* ___length1, const RuntimeMethod* method) { typedef void (*TouchScreenKeyboard_GetSelectionInternal_m220187720_ftn) (TouchScreenKeyboard_t2626315871 *, int32_t*, int32_t*); static TouchScreenKeyboard_GetSelectionInternal_m220187720_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (TouchScreenKeyboard_GetSelectionInternal_m220187720_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.TouchScreenKeyboard::GetSelectionInternal(System.Int32&,System.Int32&)"); _il2cpp_icall_func(__this, ___start0, ___length1); } // Conversion methods for marshalling of: UnityEngine.TrackedReference extern "C" void TrackedReference_t2314189973_marshal_pinvoke(const TrackedReference_t2314189973& unmarshaled, TrackedReference_t2314189973_marshaled_pinvoke& marshaled) { marshaled.___m_Ptr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_Ptr_0()).get_m_value_0()); } extern "C" void TrackedReference_t2314189973_marshal_pinvoke_back(const TrackedReference_t2314189973_marshaled_pinvoke& marshaled, TrackedReference_t2314189973& unmarshaled) { IntPtr_t unmarshaled_m_Ptr_temp_0; memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0)); IntPtr_t unmarshaled_m_Ptr_temp_0_temp; unmarshaled_m_Ptr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_Ptr_0))); unmarshaled_m_Ptr_temp_0 = unmarshaled_m_Ptr_temp_0_temp; unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0); } // Conversion method for clean up from marshalling of: UnityEngine.TrackedReference extern "C" void TrackedReference_t2314189973_marshal_pinvoke_cleanup(TrackedReference_t2314189973_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: UnityEngine.TrackedReference extern "C" void TrackedReference_t2314189973_marshal_com(const TrackedReference_t2314189973& unmarshaled, TrackedReference_t2314189973_marshaled_com& marshaled) { marshaled.___m_Ptr_0 = reinterpret_cast<intptr_t>((unmarshaled.get_m_Ptr_0()).get_m_value_0()); } extern "C" void TrackedReference_t2314189973_marshal_com_back(const TrackedReference_t2314189973_marshaled_com& marshaled, TrackedReference_t2314189973& unmarshaled) { IntPtr_t unmarshaled_m_Ptr_temp_0; memset(&unmarshaled_m_Ptr_temp_0, 0, sizeof(unmarshaled_m_Ptr_temp_0)); IntPtr_t unmarshaled_m_Ptr_temp_0_temp; unmarshaled_m_Ptr_temp_0_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)(marshaled.___m_Ptr_0))); unmarshaled_m_Ptr_temp_0 = unmarshaled_m_Ptr_temp_0_temp; unmarshaled.set_m_Ptr_0(unmarshaled_m_Ptr_temp_0); } // Conversion method for clean up from marshalling of: UnityEngine.TrackedReference extern "C" void TrackedReference_t2314189973_marshal_com_cleanup(TrackedReference_t2314189973_marshaled_com& marshaled) { } // System.Boolean UnityEngine.TrackedReference::op_Equality(UnityEngine.TrackedReference,UnityEngine.TrackedReference) extern "C" bool TrackedReference_op_Equality_m1749353678 (RuntimeObject * __this /* static, unused */, TrackedReference_t2314189973 * ___x0, TrackedReference_t2314189973 * ___y1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TrackedReference_op_Equality_m1749353678_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject * V_0 = NULL; RuntimeObject * V_1 = NULL; bool V_2 = false; { TrackedReference_t2314189973 * L_0 = ___x0; V_0 = L_0; TrackedReference_t2314189973 * 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_t2314189973 * L_5 = ___x0; NullCheck(L_5); IntPtr_t L_6 = L_5->get_m_Ptr_0(); IntPtr_t L_7 = ((IntPtr_t_StaticFields*)il2cpp_codegen_static_fields_for(IntPtr_t_il2cpp_TypeInfo_var))->get_Zero_1(); bool L_8 = IntPtr_op_Equality_m117067793(NULL /*static, unused*/, L_6, L_7, /*hidden argument*/NULL); V_2 = L_8; goto IL_0067; } IL_0034: { RuntimeObject * L_9 = V_0; if (L_9) { goto IL_0050; } } { TrackedReference_t2314189973 * L_10 = ___y1; NullCheck(L_10); IntPtr_t L_11 = L_10->get_m_Ptr_0(); IntPtr_t L_12 = ((IntPtr_t_StaticFields*)il2cpp_codegen_static_fields_for(IntPtr_t_il2cpp_TypeInfo_var))->get_Zero_1(); bool L_13 = IntPtr_op_Equality_m117067793(NULL /*static, unused*/, L_11, L_12, /*hidden argument*/NULL); V_2 = L_13; goto IL_0067; } IL_0050: { TrackedReference_t2314189973 * L_14 = ___x0; NullCheck(L_14); IntPtr_t L_15 = L_14->get_m_Ptr_0(); TrackedReference_t2314189973 * L_16 = ___y1; NullCheck(L_16); IntPtr_t L_17 = L_16->get_m_Ptr_0(); bool L_18 = IntPtr_op_Equality_m117067793(NULL /*static, unused*/, L_15, L_17, /*hidden argument*/NULL); V_2 = L_18; goto IL_0067; } IL_0067: { bool L_19 = V_2; return L_19; } } // System.Boolean UnityEngine.TrackedReference::Equals(System.Object) extern "C" bool TrackedReference_Equals_m491341108 (TrackedReference_t2314189973 * __this, RuntimeObject * ___o0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (TrackedReference_Equals_m491341108_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; { RuntimeObject * L_0 = ___o0; bool L_1 = TrackedReference_op_Equality_m1749353678(NULL /*static, unused*/, ((TrackedReference_t2314189973 *)IsInstClass((RuntimeObject*)L_0, TrackedReference_t2314189973_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" int32_t TrackedReference_GetHashCode_m408288667 (TrackedReference_t2314189973 * __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_m3768691459(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); V_0 = L_1; goto IL_0012; } IL_0012: { int32_t L_2 = V_0; return L_2; } } // UnityEngine.Vector3 UnityEngine.Transform::get_position() extern "C" Vector3_t1874995928 Transform_get_position_m2613145496 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_position_m2831387706(__this, (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::set_position(UnityEngine.Vector3) extern "C" void Transform_set_position_m23044757 (Transform_t1640584944 * __this, Vector3_t1874995928 ___value0, const RuntimeMethod* method) { { Transform_INTERNAL_set_position_m1517926166(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Transform::INTERNAL_get_position(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_position_m2831387706 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_position_m2831387706_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_get_position_m2831387706_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_position_m2831387706_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_position(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Transform::INTERNAL_set_position(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_position_m1517926166 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_set_position_m1517926166_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_set_position_m1517926166_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_set_position_m1517926166_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_set_position(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector3 UnityEngine.Transform::get_localPosition() extern "C" Vector3_t1874995928 Transform_get_localPosition_m1128734425 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_localPosition_m317043818(__this, (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::set_localPosition(UnityEngine.Vector3) extern "C" void Transform_set_localPosition_m2938284744 (Transform_t1640584944 * __this, Vector3_t1874995928 ___value0, const RuntimeMethod* method) { { Transform_INTERNAL_set_localPosition_m3998254893(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Transform::INTERNAL_get_localPosition(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_localPosition_m317043818 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_localPosition_m317043818_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_get_localPosition_m317043818_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_localPosition_m317043818_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_localPosition(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Transform::INTERNAL_set_localPosition(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_localPosition_m3998254893 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_set_localPosition_m3998254893_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_set_localPosition_m3998254893_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_set_localPosition_m3998254893_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_set_localPosition(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector3 UnityEngine.Transform::get_forward() extern "C" Vector3_t1874995928 Transform_get_forward_m380309718 (Transform_t1640584944 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Transform_get_forward_m380309718_MetadataUsageId); s_Il2CppMethodInitialized = true; } Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); { Quaternion_t1904711730 L_0 = Transform_get_rotation_m1622360028(__this, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Vector3_t1874995928_il2cpp_TypeInfo_var); Vector3_t1874995928 L_1 = Vector3_get_forward_m994294507(NULL /*static, unused*/, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Quaternion_t1904711730_il2cpp_TypeInfo_var); Vector3_t1874995928 L_2 = Quaternion_op_Multiply_m381074051(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); V_0 = L_2; goto IL_0017; } IL_0017: { Vector3_t1874995928 L_3 = V_0; return L_3; } } // UnityEngine.Quaternion UnityEngine.Transform::get_rotation() extern "C" Quaternion_t1904711730 Transform_get_rotation_m1622360028 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Quaternion_t1904711730 V_0; memset(&V_0, 0, sizeof(V_0)); Quaternion_t1904711730 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_rotation_m1231166708(__this, (&V_0), /*hidden argument*/NULL); Quaternion_t1904711730 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Quaternion_t1904711730 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::INTERNAL_get_rotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_get_rotation_m1231166708 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_rotation_m1231166708_ftn) (Transform_t1640584944 *, Quaternion_t1904711730 *); static Transform_INTERNAL_get_rotation_m1231166708_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_rotation_m1231166708_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_rotation(UnityEngine.Quaternion&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Quaternion UnityEngine.Transform::get_localRotation() extern "C" Quaternion_t1904711730 Transform_get_localRotation_m1326192528 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Quaternion_t1904711730 V_0; memset(&V_0, 0, sizeof(V_0)); Quaternion_t1904711730 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_localRotation_m3703844283(__this, (&V_0), /*hidden argument*/NULL); Quaternion_t1904711730 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Quaternion_t1904711730 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::set_localRotation(UnityEngine.Quaternion) extern "C" void Transform_set_localRotation_m183612588 (Transform_t1640584944 * __this, Quaternion_t1904711730 ___value0, const RuntimeMethod* method) { { Transform_INTERNAL_set_localRotation_m3190607451(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Transform::INTERNAL_get_localRotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_get_localRotation_m3703844283 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_localRotation_m3703844283_ftn) (Transform_t1640584944 *, Quaternion_t1904711730 *); static Transform_INTERNAL_get_localRotation_m3703844283_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_localRotation_m3703844283_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_localRotation(UnityEngine.Quaternion&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Transform::INTERNAL_set_localRotation(UnityEngine.Quaternion&) extern "C" void Transform_INTERNAL_set_localRotation_m3190607451 (Transform_t1640584944 * __this, Quaternion_t1904711730 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_set_localRotation_m3190607451_ftn) (Transform_t1640584944 *, Quaternion_t1904711730 *); static Transform_INTERNAL_set_localRotation_m3190607451_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_set_localRotation_m3190607451_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_set_localRotation(UnityEngine.Quaternion&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector3 UnityEngine.Transform::get_localScale() extern "C" Vector3_t1874995928 Transform_get_localScale_m2934396605 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_localScale_m1657396097(__this, (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::set_localScale(UnityEngine.Vector3) extern "C" void Transform_set_localScale_m4120728081 (Transform_t1640584944 * __this, Vector3_t1874995928 ___value0, const RuntimeMethod* method) { { Transform_INTERNAL_set_localScale_m1701677794(__this, (&___value0), /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Transform::INTERNAL_get_localScale(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_get_localScale_m1657396097 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_localScale_m1657396097_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_get_localScale_m1657396097_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_localScale_m1657396097_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_localScale(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Transform::INTERNAL_set_localScale(UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_set_localScale_m1701677794 (Transform_t1640584944 * __this, Vector3_t1874995928 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_set_localScale_m1701677794_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *); static Transform_INTERNAL_set_localScale_m1701677794_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_set_localScale_m1701677794_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_set_localScale(UnityEngine.Vector3&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Transform UnityEngine.Transform::get_parent() extern "C" Transform_t1640584944 * Transform_get_parent_m585142793 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Transform_t1640584944 * V_0 = NULL; { Transform_t1640584944 * L_0 = Transform_get_parentInternal_m550522751(__this, /*hidden argument*/NULL); V_0 = L_0; goto IL_000d; } IL_000d: { Transform_t1640584944 * L_1 = V_0; return L_1; } } // System.Void UnityEngine.Transform::set_parent(UnityEngine.Transform) extern "C" void Transform_set_parent_m2276928473 (Transform_t1640584944 * __this, Transform_t1640584944 * ___value0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Transform_set_parent_m2276928473_MetadataUsageId); s_Il2CppMethodInitialized = true; } { if (!((RectTransform_t3407578435 *)IsInstSealed((RuntimeObject*)__this, RectTransform_t3407578435_il2cpp_TypeInfo_var))) { goto IL_0017; } } { IL2CPP_RUNTIME_CLASS_INIT(Debug_t388371763_il2cpp_TypeInfo_var); Debug_LogWarning_m2892692681(NULL /*static, unused*/, _stringLiteral891115231, __this, /*hidden argument*/NULL); } IL_0017: { Transform_t1640584944 * L_0 = ___value0; Transform_set_parentInternal_m3587132827(__this, L_0, /*hidden argument*/NULL); return; } } // UnityEngine.Transform UnityEngine.Transform::get_parentInternal() extern "C" Transform_t1640584944 * Transform_get_parentInternal_m550522751 (Transform_t1640584944 * __this, const RuntimeMethod* method) { typedef Transform_t1640584944 * (*Transform_get_parentInternal_m550522751_ftn) (Transform_t1640584944 *); static Transform_get_parentInternal_m550522751_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_get_parentInternal_m550522751_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::get_parentInternal()"); Transform_t1640584944 * retVal = _il2cpp_icall_func(__this); return retVal; } // System.Void UnityEngine.Transform::set_parentInternal(UnityEngine.Transform) extern "C" void Transform_set_parentInternal_m3587132827 (Transform_t1640584944 * __this, Transform_t1640584944 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_set_parentInternal_m3587132827_ftn) (Transform_t1640584944 *, Transform_t1640584944 *); static Transform_set_parentInternal_m3587132827_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_set_parentInternal_m3587132827_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::set_parentInternal(UnityEngine.Transform)"); _il2cpp_icall_func(__this, ___value0); } // System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform) extern "C" void Transform_SetParent_m4139307454 (Transform_t1640584944 * __this, Transform_t1640584944 * ___parent0, const RuntimeMethod* method) { { Transform_t1640584944 * L_0 = ___parent0; Transform_SetParent_m400516177(__this, L_0, (bool)1, /*hidden argument*/NULL); return; } } // System.Void UnityEngine.Transform::SetParent(UnityEngine.Transform,System.Boolean) extern "C" void Transform_SetParent_m400516177 (Transform_t1640584944 * __this, Transform_t1640584944 * ___parent0, bool ___worldPositionStays1, const RuntimeMethod* method) { typedef void (*Transform_SetParent_m400516177_ftn) (Transform_t1640584944 *, Transform_t1640584944 *, bool); static Transform_SetParent_m400516177_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_SetParent_m400516177_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" Matrix4x4_t284900595 Transform_get_worldToLocalMatrix_m280368400 (Transform_t1640584944 * __this, const RuntimeMethod* method) { Matrix4x4_t284900595 V_0; memset(&V_0, 0, sizeof(V_0)); Matrix4x4_t284900595 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_get_worldToLocalMatrix_m1124170750(__this, (&V_0), /*hidden argument*/NULL); Matrix4x4_t284900595 L_0 = V_0; V_1 = L_0; goto IL_0010; } IL_0010: { Matrix4x4_t284900595 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::INTERNAL_get_worldToLocalMatrix(UnityEngine.Matrix4x4&) extern "C" void Transform_INTERNAL_get_worldToLocalMatrix_m1124170750 (Transform_t1640584944 * __this, Matrix4x4_t284900595 * ___value0, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_get_worldToLocalMatrix_m1124170750_ftn) (Transform_t1640584944 *, Matrix4x4_t284900595 *); static Transform_INTERNAL_get_worldToLocalMatrix_m1124170750_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_get_worldToLocalMatrix_m1124170750_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_get_worldToLocalMatrix(UnityEngine.Matrix4x4&)"); _il2cpp_icall_func(__this, ___value0); } // UnityEngine.Vector3 UnityEngine.Transform::TransformPoint(UnityEngine.Vector3) extern "C" Vector3_t1874995928 Transform_TransformPoint_m348817994 (Transform_t1640584944 * __this, Vector3_t1874995928 ___position0, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_CALL_TransformPoint_m1518896593(NULL /*static, unused*/, __this, (&___position0), (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0012; } IL_0012: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::INTERNAL_CALL_TransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_CALL_TransformPoint_m1518896593 (RuntimeObject * __this /* static, unused */, Transform_t1640584944 * ___self0, Vector3_t1874995928 * ___position1, Vector3_t1874995928 * ___value2, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_CALL_TransformPoint_m1518896593_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *, Vector3_t1874995928 *); static Transform_INTERNAL_CALL_TransformPoint_m1518896593_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_CALL_TransformPoint_m1518896593_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_CALL_TransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&)"); _il2cpp_icall_func(___self0, ___position1, ___value2); } // UnityEngine.Vector3 UnityEngine.Transform::InverseTransformPoint(UnityEngine.Vector3) extern "C" Vector3_t1874995928 Transform_InverseTransformPoint_m2060286796 (Transform_t1640584944 * __this, Vector3_t1874995928 ___position0, const RuntimeMethod* method) { Vector3_t1874995928 V_0; memset(&V_0, 0, sizeof(V_0)); Vector3_t1874995928 V_1; memset(&V_1, 0, sizeof(V_1)); { Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242(NULL /*static, unused*/, __this, (&___position0), (&V_0), /*hidden argument*/NULL); Vector3_t1874995928 L_0 = V_0; V_1 = L_0; goto IL_0012; } IL_0012: { Vector3_t1874995928 L_1 = V_1; return L_1; } } // System.Void UnityEngine.Transform::INTERNAL_CALL_InverseTransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&) extern "C" void Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242 (RuntimeObject * __this /* static, unused */, Transform_t1640584944 * ___self0, Vector3_t1874995928 * ___position1, Vector3_t1874995928 * ___value2, const RuntimeMethod* method) { typedef void (*Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242_ftn) (Transform_t1640584944 *, Vector3_t1874995928 *, Vector3_t1874995928 *); static Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_INTERNAL_CALL_InverseTransformPoint_m2929326242_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::INTERNAL_CALL_InverseTransformPoint(UnityEngine.Transform,UnityEngine.Vector3&,UnityEngine.Vector3&)"); _il2cpp_icall_func(___self0, ___position1, ___value2); } // System.Int32 UnityEngine.Transform::get_childCount() extern "C" int32_t Transform_get_childCount_m4085376495 (Transform_t1640584944 * __this, const RuntimeMethod* method) { typedef int32_t (*Transform_get_childCount_m4085376495_ftn) (Transform_t1640584944 *); static Transform_get_childCount_m4085376495_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_get_childCount_m4085376495_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" void Transform_SetAsFirstSibling_m4194634835 (Transform_t1640584944 * __this, const RuntimeMethod* method) { typedef void (*Transform_SetAsFirstSibling_m4194634835_ftn) (Transform_t1640584944 *); static Transform_SetAsFirstSibling_m4194634835_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_SetAsFirstSibling_m4194634835_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::SetAsFirstSibling()"); _il2cpp_icall_func(__this); } // System.Boolean UnityEngine.Transform::IsChildOf(UnityEngine.Transform) extern "C" bool Transform_IsChildOf_m4258932354 (Transform_t1640584944 * __this, Transform_t1640584944 * ___parent0, const RuntimeMethod* method) { typedef bool (*Transform_IsChildOf_m4258932354_ftn) (Transform_t1640584944 *, Transform_t1640584944 *); static Transform_IsChildOf_m4258932354_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_IsChildOf_m4258932354_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::IsChildOf(UnityEngine.Transform)"); bool retVal = _il2cpp_icall_func(__this, ___parent0); return retVal; } // System.Collections.IEnumerator UnityEngine.Transform::GetEnumerator() extern "C" RuntimeObject* Transform_GetEnumerator_m3376926407 (Transform_t1640584944 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Transform_GetEnumerator_m3376926407_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeObject* V_0 = NULL; { Enumerator_t4074900053 * L_0 = (Enumerator_t4074900053 *)il2cpp_codegen_object_new(Enumerator_t4074900053_il2cpp_TypeInfo_var); Enumerator__ctor_m1309621474(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" Transform_t1640584944 * Transform_GetChild_m1738839666 (Transform_t1640584944 * __this, int32_t ___index0, const RuntimeMethod* method) { typedef Transform_t1640584944 * (*Transform_GetChild_m1738839666_ftn) (Transform_t1640584944 *, int32_t); static Transform_GetChild_m1738839666_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (Transform_GetChild_m1738839666_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.Transform::GetChild(System.Int32)"); Transform_t1640584944 * retVal = _il2cpp_icall_func(__this, ___index0); return retVal; } // System.Void UnityEngine.Transform/Enumerator::.ctor(UnityEngine.Transform) extern "C" void Enumerator__ctor_m1309621474 (Enumerator_t4074900053 * __this, Transform_t1640584944 * ___outer0, const RuntimeMethod* method) { { __this->set_currentIndex_1((-1)); Object__ctor_m3741171996(__this, /*hidden argument*/NULL); Transform_t1640584944 * L_0 = ___outer0; __this->set_outer_0(L_0); return; } } // System.Object UnityEngine.Transform/Enumerator::get_Current() extern "C" RuntimeObject * Enumerator_get_Current_m972057339 (Enumerator_t4074900053 * __this, const RuntimeMethod* method) { RuntimeObject * V_0 = NULL; { Transform_t1640584944 * L_0 = __this->get_outer_0(); int32_t L_1 = __this->get_currentIndex_1(); NullCheck(L_0); Transform_t1640584944 * L_2 = Transform_GetChild_m1738839666(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" bool Enumerator_MoveNext_m1476614818 (Enumerator_t4074900053 * __this, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; bool V_2 = false; { Transform_t1640584944 * L_0 = __this->get_outer_0(); NullCheck(L_0); int32_t L_1 = Transform_get_childCount_m4085376495(L_0, /*hidden argument*/NULL); V_0 = L_1; int32_t L_2 = __this->get_currentIndex_1(); int32_t L_3 = ((int32_t)((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" void Enumerator_Reset_m1714300394 (Enumerator_t4074900053 * __this, const RuntimeMethod* method) { { __this->set_currentIndex_1((-1)); return; } } // System.Boolean UnityEngine.U2D.SpriteAtlasManager::RequestAtlas(System.String) extern "C" bool SpriteAtlasManager_RequestAtlas_m1103509052 (RuntimeObject * __this /* static, unused */, String_t* ___tag0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SpriteAtlasManager_RequestAtlas_m1103509052_MetadataUsageId); s_Il2CppMethodInitialized = true; } bool V_0 = false; String_t* G_B3_0 = NULL; RequestAtlasCallback_t1094793114 * G_B3_1 = NULL; String_t* G_B2_0 = NULL; RequestAtlasCallback_t1094793114 * G_B2_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var); RequestAtlasCallback_t1094793114 * L_0 = ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->get_atlasRequested_0(); if (!L_0) { goto IL_003b; } } { IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var); RequestAtlasCallback_t1094793114 * L_1 = ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->get_atlasRequested_0(); String_t* L_2 = ___tag0; Action_1_t3078164784 * L_3 = ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_1(); 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; } } { IntPtr_t L_4; L_4.set_m_value_0((void*)(void*)SpriteAtlasManager_Register_m1510873806_RuntimeMethod_var); Action_1_t3078164784 * L_5 = (Action_1_t3078164784 *)il2cpp_codegen_object_new(Action_1_t3078164784_il2cpp_TypeInfo_var); Action_1__ctor_m3126567319(L_5, NULL, L_4, /*hidden argument*/Action_1__ctor_m3126567319_RuntimeMethod_var); IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var); ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->set_U3CU3Ef__mgU24cache0_1(L_5); G_B3_0 = G_B2_0; G_B3_1 = G_B2_1; } IL_002a: { IL2CPP_RUNTIME_CLASS_INIT(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var); Action_1_t3078164784 * L_6 = ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->get_U3CU3Ef__mgU24cache0_1(); NullCheck(G_B3_1); RequestAtlasCallback_Invoke_m558288633(G_B3_1, G_B3_0, L_6, /*hidden argument*/NULL); V_0 = (bool)1; goto IL_0042; } IL_003b: { V_0 = (bool)0; goto IL_0042; } IL_0042: { bool L_7 = V_0; return L_7; } } // System.Void UnityEngine.U2D.SpriteAtlasManager::Register(UnityEngine.U2D.SpriteAtlas) extern "C" void SpriteAtlasManager_Register_m1510873806 (RuntimeObject * __this /* static, unused */, SpriteAtlas_t158873012 * ___spriteAtlas0, const RuntimeMethod* method) { typedef void (*SpriteAtlasManager_Register_m1510873806_ftn) (SpriteAtlas_t158873012 *); static SpriteAtlasManager_Register_m1510873806_ftn _il2cpp_icall_func; if (!_il2cpp_icall_func) _il2cpp_icall_func = (SpriteAtlasManager_Register_m1510873806_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.U2D.SpriteAtlasManager::Register(UnityEngine.U2D.SpriteAtlas)"); _il2cpp_icall_func(___spriteAtlas0); } // System.Void UnityEngine.U2D.SpriteAtlasManager::.cctor() extern "C" void SpriteAtlasManager__cctor_m1082597862 (RuntimeObject * __this /* static, unused */, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (SpriteAtlasManager__cctor_m1082597862_MetadataUsageId); s_Il2CppMethodInitialized = true; } { ((SpriteAtlasManager_t81154096_StaticFields*)il2cpp_codegen_static_fields_for(SpriteAtlasManager_t81154096_il2cpp_TypeInfo_var))->set_atlasRequested_0((RequestAtlasCallback_t1094793114 *)NULL); return; } } extern "C" void DelegatePInvokeWrapper_RequestAtlasCallback_t1094793114 (RequestAtlasCallback_t1094793114 * __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, const RuntimeMethod* method) { typedef void (STDCALL *PInvokeFunc)(char*, Il2CppMethodPointer); PInvokeFunc il2cppPInvokeFunc = reinterpret_cast<PInvokeFunc>(il2cpp_codegen_get_method_pointer(((Il2CppDelegate*)__this)->method)); // Marshaling of parameter '___tag0' to native representation char* ____tag0_marshaled = NULL; ____tag0_marshaled = il2cpp_codegen_marshal_string(___tag0); // Marshaling of parameter '___action1' to native representation Il2CppMethodPointer ____action1_marshaled = NULL; ____action1_marshaled = il2cpp_codegen_marshal_delegate(reinterpret_cast<Il2CppCodeGenMulticastDelegate*>(___action1)); // Native function invocation il2cppPInvokeFunc(____tag0_marshaled, ____action1_marshaled); // Marshaling cleanup of parameter '___tag0' native representation il2cpp_codegen_marshal_free(____tag0_marshaled); ____tag0_marshaled = NULL; } // System.Void UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback::.ctor(System.Object,System.IntPtr) extern "C" void RequestAtlasCallback__ctor_m1146435725 (RequestAtlasCallback_t1094793114 * __this, RuntimeObject * ___object0, IntPtr_t ___method1, const RuntimeMethod* method) { __this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1.get_m_value_0())); __this->set_method_3(___method1); __this->set_m_target_2(___object0); } // System.Void UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback::Invoke(System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>) extern "C" void RequestAtlasCallback_Invoke_m558288633 (RequestAtlasCallback_t1094793114 * __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, const RuntimeMethod* method) { if(__this->get_prev_9() != NULL) { RequestAtlasCallback_Invoke_m558288633((RequestAtlasCallback_t1094793114 *)__this->get_prev_9(),___tag0, ___action1, method); } il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); bool ___methodIsStatic = MethodIsStatic((RuntimeMethod*)(__this->get_method_3().get_m_value_0())); if (__this->get_m_target_2() != NULL && ___methodIsStatic) { typedef void (*FunctionPointerType) (RuntimeObject *, void* __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(NULL,__this->get_m_target_2(),___tag0, ___action1,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } else if (__this->get_m_target_2() != NULL || ___methodIsStatic) { typedef void (*FunctionPointerType) (void* __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(__this->get_m_target_2(),___tag0, ___action1,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } else { typedef void (*FunctionPointerType) (void* __this, Action_1_t3078164784 * ___action1, const RuntimeMethod* method); ((FunctionPointerType)__this->get_method_ptr_0())(___tag0, ___action1,(RuntimeMethod*)(__this->get_method_3().get_m_value_0())); } } // System.IAsyncResult UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback::BeginInvoke(System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>,System.AsyncCallback,System.Object) extern "C" RuntimeObject* RequestAtlasCallback_BeginInvoke_m1565554719 (RequestAtlasCallback_t1094793114 * __this, String_t* ___tag0, Action_1_t3078164784 * ___action1, AsyncCallback_t3736623411 * ___callback2, RuntimeObject * ___object3, const RuntimeMethod* method) { void *__d_args[3] = {0}; __d_args[0] = ___tag0; __d_args[1] = ___action1; return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((Il2CppDelegate*)__this, __d_args, (Il2CppDelegate*)___callback2, (RuntimeObject*)___object3); } // System.Void UnityEngine.U2D.SpriteAtlasManager/RequestAtlasCallback::EndInvoke(System.IAsyncResult) extern "C" void RequestAtlasCallback_EndInvoke_m3765647114 (RequestAtlasCallback_t1094793114 * __this, RuntimeObject* ___result0, const RuntimeMethod* method) { il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0); } #ifdef __clang__ #pragma clang diagnostic pop #endif
c283841577e477e8678116ba7a6d8b12c60f8a39
803a0bd067f1bfb2b5f4974255404f5f138025ee
/OpenCV/Day3/Day3_3.cpp
9314f7ea23eae06752dd2504d715e8b266b7ceb8
[]
no_license
LEEJINJU-1214/Hustar_3
55f0212ffb8e051eabd3744c6149920335c2d490
9e5ad344e86ff3ab5f2bbf623b6d212d9a79359a
refs/heads/main
2023-06-24T12:12:07.086985
2021-07-27T08:56:21
2021-07-27T08:56:21
387,365,675
0
0
null
null
null
null
UHC
C++
false
false
2,506
cpp
Day3_3.cpp
//1. 예제_8.5.1의 rotation() 함수를 이용해서 영상 파일을 입력 받아서 300,100 좌표를 기준으로 30도 회전하도록 프로그램을 작성하시오. #include <opencv2/opencv.hpp> using namespace cv; using namespace std; uchar bilinear_value(Mat img, double x, double y) { if (x >= img.cols - 1) x--; if (y >= img.rows - 1) y--; //4개 화소 가져옴 Point pt((int)x, (int)y); int A = img.at<uchar>(pt); int B = img.at<uchar>(pt+Point(0,1)); int C= img.at<uchar>(pt + Point(1, 0)); int D = img.at<uchar>(pt + Point(1, 1)); double alpha = y - pt.y; double beta = x - pt.x; int M1 = A + (int)cvRound(alpha * (B - A)); int M2 = C + (int)cvRound(alpha * (D - C)); int P = M1 + (int)cvRound(beta * (M2 - M1)); return saturate_cast<uchar>(P); } void rotation(Mat img, Mat&dst, double dgree,Point pt) { double radian = dgree / 180 * CV_PI; double sin_value = sin(radian); double cos_value =cos(radian); Rect rect(Point(0, 0), img.size()); dst = Mat(img.size(), img.type(), Scalar(0)); for (int i = 0; i < dst.rows; i++) { for (int j = 0; j < dst.cols; j++) { int jj = j - pt.x; int ii = i - pt.y; double x = jj * cos_value + ii * sin_value + pt.x; double y = -jj * sin_value + ii * cos_value + pt.y; if (rect.contains(Point2d(x, y))) dst.at<uchar>(i, j) = bilinear_value(img, x, y); } } } void affine_transform(Mat img, Mat& dst, Mat map, Size size) { dst = Mat(img.size(), img.type(), Scalar(0)); Rect rect(Point(0, 0), img.size()); Mat inv_map; invertAffineTransform(map, inv_map); for (int i = 0; i < dst.rows; i++) { for (int j = 0; j < dst.cols; j++) { Point3d ji(j, i, 1); Mat xy = inv_map * (Mat)ji; Point2d pt = (Point2d)xy; if (rect.contains(pt)) dst.at<uchar>(i, j) = bilinear_value(img, pt.x, pt.y); } } } int main() { Mat image = imread("./자연.jpeg", 0); resize(image, image, Size(400, 300)); CV_Assert(image.data); //Point2f pt1[3] = { Point2f(10,200),Point2f(200,150),Point2f(300,300) }; //Point2f pt2[3] = { Point2f(10,10),Point2f(250,10),Point2f(300,300) }; Point center(300, 100); double angle = 30.0; double scale = 1; Mat rot_map = getRotationMatrix2D(center, angle, scale); Mat dst1,dst2; affine_transform(image, dst1, rot_map, image.size()); //warpAffine(image, dst1, rot_map, image.size(),INTER_LINEAR); rotation(image, dst2, -angle, center); imshow("image", image); imshow("rotation_affine", dst1); imshow("rotation_function", dst2); waitKey(); return 0; }
1beb9cfa86c878c3e89ceb5c4b5e4cbe6bde6875
a9c04cb86b2b595e041a0cbbafc2382ff9d3cb72
/327/Games/Card Game Workspace/Cards/Cards/main.cpp
f6795f1c23175e75833bc71a49b1fd702e61308a
[]
no_license
Crisco849/School
daefb9f0a3eafd9e183a2321814c3577bcadd2ef
374faeee838ca45f6963cd969745c53ec2c4d4be
refs/heads/master
2022-12-30T10:48:48.323891
2020-10-17T13:40:13
2020-10-17T13:40:13
302,448,595
0
0
null
null
null
null
UTF-8
C++
false
false
1,506
cpp
main.cpp
#include "cards.h" #include <string> #include <iostream> #include <stdio.h> using namespace std; cards allCards[2]; void updateStats(int cardOne, int cardTwo){ allCards[cardOne].set_minion_values(allCards[cardOne].getAttack(), (allCards[cardOne].getDefense() - allCards[cardTwo].getAttack()), allCards[cardOne].getProtect()); allCards[cardTwo].set_minion_values(allCards[cardTwo].getAttack(), (allCards[cardTwo].getDefense() - allCards[cardOne].getAttack()), allCards[cardTwo].getProtect()); } int main(int argc, char **argv) { cards libram; libram.set_values(true, "Libram", 1, 0); libram.set_minion_values(1, 3, false); allCards[0] = libram; cards taunt; taunt.set_values(true, "Protector", 2, 1); taunt.set_minion_values(2, 3, true); allCards[1] = taunt; for(int i = 0; i < 2; i++){ cout << "Name: " << allCards[i].getName() << endl; cout << "Attack: " << allCards[i].getAttack() << endl; cout << "Defense: " << allCards[i].getDefense() << endl; cout << "Taunt: " << allCards[i].getProtect() << endl; cout << endl; } cout << "attack 2/3 with 1/3? (y/n)"; string answer; cin >> answer; if(answer == "y"){ updateStats(libram.getCardNumber(), taunt.getCardNumber()); } for(int i = 0; i < 2; i++){ cout << "Name: " << allCards[i].getName() << endl; cout << "Attack: " << allCards[i].getAttack() << endl; cout << "Defense: " << allCards[i].getDefense() << endl; cout << "Taunt: " << allCards[i].getProtect() << endl; cout << endl; } }
55f8e2c7dcda2c0eb8da33dca6322e59fb80e35a
b3c62d591863dcec5f8a894110d8675bc0a3d061
/Model/SpringsObjects/SpringsObject.cpp
faf4a5a8d7244f5cdff4be4161c5c15c62391bc3
[]
no_license
XjtrX/MassSpringsModel
f03f9f881a182816614d7f76ee406d367729285d
64e1a37e0f88f750a5099cef773bcf299ec88513
refs/heads/master
2021-01-25T10:06:44.158662
2014-04-07T14:47:19
2014-04-07T14:47:19
22,841,046
1
0
null
null
null
null
UTF-8
C++
false
false
15,857
cpp
SpringsObject.cpp
#include "SpringsObject.h" #include <math.h> using namespace std; //#include "exact-ccd/vec.h" //#include "exact-ccd/rootparitycollisiontest.h" #include "3DMath/ParticleState.h" #include "3DMath/MathRotation.h" SpringsObject::SpringsObject(const int &particlesCount, const int &springsCount, const int &structuralSpringsCount, const int &clothTrianglesCount, const float &thickness) { _particlesCount = particlesCount; _particles = vector<Particle*>(particlesCount); _springsCount = springsCount; _springs = vector<Spring*>(springsCount); _structuralSpringsCount = structuralSpringsCount; _structuralSprings = vector<Spring*>(structuralSpringsCount); _clothTrianglesCount = clothTrianglesCount; _clothTriangles = vector<ClothTriangle*>(clothTrianglesCount); _thickness = thickness; } void SpringsObject::ConnectParticles(const int &cols, const int &rows, const float &width, const float &height , const float &stiffnes, const int &withBendSprings) { float sW = 1.0 * width / (cols - 1); // float sMW = sW * 2; float sH = 1.0 * height / (rows - 1); // float sMH = sH * 2; int structSpnNum = 0; int i = 0; int t = 0; for (int c = 0; c < cols; c++) { for (int r = 0; r < rows; r++) { if (c > 0) { _springs[i++] = new Spring(_particles[r * cols + c - 1] , _particles[r * cols + c] , stiffnes, sW); _structuralSprings[structSpnNum++] = _springs[i - 1]; } if (r > 0) { _springs[i++] = new Spring(_particles[r * cols + c] , _particles[(r - 1) * cols + c] , stiffnes, sH); _structuralSprings[structSpnNum++] = _springs[i - 1]; } if (c > 0 && r > 0) { _springs[i++] = new Spring(_particles[r * cols + c] , _particles[(r - 1) * cols + c - 1] , stiffnes, 0, shear); _springs[i++] = new Spring(_particles[r * cols + c - 1] , _particles[(r - 1) * cols + c] , stiffnes, 0, shear); } //---------------------triangleCloth if (c > 0 && r > 0) { _clothTriangles[t++] = new ClothTriangle(_particles[(r - 1) * cols + c - 1], _particles[(r - 1) * cols + c], _particles[r * cols + c]); _clothTriangles[t++] = new ClothTriangle(_particles[(r - 1) * cols + c - 1], _particles[r * cols + c - 1], _particles[r * cols + c]); } //--------------------------------------------------- if (!withBendSprings) { continue; } if (c > 1) { _springs[i++] = new Spring(_particles[r * cols + c] , _particles[r * cols + c - 2] , stiffnes / 4, sW * 2, bend); } if (r > 1) { _springs[i++] = new Spring(_particles[r * cols + c] , _particles[(r - 2) * cols + c] , stiffnes / 4, sH * 2, bend); } } } } SpringsObject::~SpringsObject() { for (int i = 0; i < _clothTrianglesCount; i++) { delete _clothTriangles[i]; } for (int i = 0; i < _particlesCount; i++) { delete _particles[i]; } for (int i = 0; i < _springsCount; i++) { delete _springs[i]; } } void SpringsObject::Draw(const DrawType &type) { // glBegin(GL_TRIANGLES); glBegin(GL_LINES); for (int i = 0; i < this->_clothTrianglesCount; i++) { this->_clothTriangles[i]->Draw(type); } glEnd(); } void SpringsObject::RecalculateSprings() { for (int i = 0; i < _springsCount; i++) { _springs[i]->Recalculate(); } } void SpringsObject::ApplyForce(const float &fX, const float &fY, const float &fZ) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->ApplyForce(fX, fY ,fZ); } } void SpringsObject::ApplyAcceleration(const float &aX, const float &aY, const float &aZ) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->ApplyAcceleration(aX, aY ,aZ); } } void SpringsObject::Accelerate(const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->Accelerate(timestep); } } void SpringsObject::CalculateAverageVelocity(const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->CalculateAverageVelocity(timestep); } } void SpringsObject::Inertia(const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->Inertia(timestep); } } void SpringsObject::setVelocity(const Point3D<float> &newVelocity, const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->setVelocity(newVelocity, timestep); } } Point3D<float> SpringsObject::getVelocity() { //unresolved return Point3D<float>(0, 0, 0); } void SpringsObject::ComputeFinalPosition(const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->ComputeFinalPosition(timestep); } } void SpringsObject::ApplyCorrection(const float &timestep) { for (int i = 0; i < _particlesCount; i++) { _particles[i]->ApplyCorrection(timestep); } } inline float distance(Point3D<float>* p1, Point3D<float>* p2) { Point3D<float> dist = *p1; dist -= *p2; return sqrt(dist.getSquaredLength()); } //int TestSprings(Spring* a, Spring* b) //{ // if (a->getParticleA() == b->getParticleA() // || a->getParticleA() == b->getParticleB() // || a->getParticleB() == b->getParticleA() // || a->getParticleB() == b->getParticleB()) // { // return 0; // } // if (distance(&(a->_particleA->_state._position), &(b->_particleA->_state._position)) > 3) // { // return 0; // } // Point3D<float>& aAP = a->_particleA->_prevState._position; // Point3D<float>& aAC = a->_particleA->_state._position; // Point3D<float>& aBP = a->_particleB->_prevState._position; // Point3D<float>& aBC = a->_particleB->_state._position; // Point3D<float>& bAP = b->_particleA->_prevState._position; // Point3D<float>& bAC = b->_particleA->_state._position; // Point3D<float>& bBP = b->_particleB->_prevState._position; // Point3D<float>& bBC = b->_particleB->_state._position; // Vec3d verts_old[4]={Vec3d(aAP._x,aAP._y,aAP._z),Vec3d(aBP._x,aBP._y,aBP._z),Vec3d(bAP._x,bAP._y,bAP._z),Vec3d(bBP._x,bBP._y,bBP._z)}; // Vec3d verts_new[4]={Vec3d(aAC._x,aAC._y,aAC._z),Vec3d(aBC._x,aBC._y,aBC._z),Vec3d(bAC._x,bAC._y,bAC._z),Vec3d(bBC._x,bBC._y,bBC._z)}; // bool is_edge_edge = true; // rootparity::RootParityCollisionTest test( // verts_old[0],verts_old[1],verts_old[2],verts_old[3], // verts_new[0],verts_new[1],verts_new[2],verts_new[3],is_edge_edge); // int result = test.run_test(); // return result; //} /* void Print(const Vec3d& v, char* desc) { cout << desc << v[0] << ", " << v[1] << ", " << v[2] << endl; } */ #include <iostream> using namespace std; int SpringsObject::TestTriangles(ClothTriangle* a, ClothTriangle* b) { if (a->isNeighbour(*b)) { return -1; } // Point3ComputeD<float>& b0P = b->_p[0]->_prevState._position; // Point3D<float>& b1P = b->_p[1]->_prevState._position; // Point3D<float>& b2P = b->_p[2]->_prevState._position; // Point3D<float>& b0C = b->_p[0]->_state._position; // Point3D<float>& b1C = b->_p[1]->_state._position; // Point3D<float>& b2C = b->_p[2]->_state._position; // Vec3d vb0P(b0P._x, b0P._y, b0P._z); // Vec3d vb1P(b1P._x, b1P._y, b1P._z); // Vec3d vb2P(b2P._x, b2P._y, b2P._z); // Vec3d vb0C(b0C._x, b0C._y, b0C._z); // Vec3d vb1C(b1C._x, b1C._y, b1C._z); // Vec3d vb2C(b2C._x, b2C._y, b2C._z); int result = 0; // int myRes = 0; // bool is_edge_edge = false; for (int i = 0; i < 3; i++) { Point3D<float>& aIP = a->_p[i]->_prevState._position; Point3D<float>& aIC = a->_p[i]->_state._position; // Vec3d vaIP(aIP._x, aIP._y, aIP._z); // Vec3d vaIC(aIC._x, aIC._y, aIC._z); // rootparity::RootParityCollisionTest test( // vaIP, vb0P, vb1P, vb2P, // vaIC, vb0C, vb1C, vb2C, is_edge_edge); // int testResult = test.run_test(); int testResult = 0; if (testResult) { PointTriangleManifold* m = new PointTriangleManifold(a->_p[i], b); _ptManifolds.push_back(m); result = 1; /* Print(vaIP, "prev\n"); Print(vb0P, ""); Print(vb1P, ""); Print(vb2P, ""); Print(vaIC, "curr\n"); Print(vb0C, ""); Print(vb1C, ""); Print(vb2C, ""); */ } Point3D<float> prP = b->CalculatePrevProjection(aIP); Point3D<float> prC = b->CalculateProjection(aIC); Point3D<float> vecP = prP; vecP -= aIP; Point3D<float> vecC = prC; vecC -= aIC; float dPP = vecP.DotProduct(b->_prevNormal); float dPC = vecC.DotProduct(b->_normal); /* if (b->isInTriangle(prN)) { cout << "isInTriangle 1" << endl; } */ if ( /* b->isInPrevTriangle(prP) &&*/ b->isInTriangle(prC) && (vecC.getSquaredLength() <= (_thickness * _thickness)) && ( ((dPP > 0) && (dPC < 0)) || ((dPP < 0) && (dPC > 0))) ) { // myRes = 1; if (!testResult) { cout << "error\n"; PointTriangleManifold* m = new PointTriangleManifold(a->_p[i], b); _ptManifolds.push_back(m); } else { cout << "yeah\n"; } cout.flush(); } } return result; } int SpringsObject::MyTestTriangles(ClothTriangle *a, ClothTriangle *b) { if (a->isNeighbour(*b)) { return -1; } /* Point3D<float>& b0P = b->_p[0]->_prevState._position; Point3D<float>& b1P = b->_p[1]->_prevState._position; Point3D<float>& b2P = b->_p[2]->_prevState._position; Point3D<float>& b0C = b->_p[0]->_state._position; Point3D<float>& b1C = b->_p[1]->_state._position; Point3D<float>& b2C = b->_p[2]->_state._position; */ int result = 0; for (int i = 0; i < 3; i++) { Point3D<float>& aIP = a->_p[i]->_prevState._position; Point3D<float>& aIC = a->_p[i]->_state._position; Point3D<float> prP = b->CalculatePrevProjection(aIP); Point3D<float> prC = b->CalculateProjection(aIC); Point3D<float> vecP = prP; vecP -= aIP; Point3D<float> vecC = prC; vecC -= aIC; float dPP = vecP.DotProduct(b->_prevNormal); float dPC = vecC.DotProduct(b->_normal); if ( /* b->isInPrevTriangle(prP) &&*/ b->isInTriangle(prC) && (vecC.getSquaredLength() <= (_thickness * _thickness)) && ( ((dPP > 0) && (dPC < 0)) || ((dPP < 0) && (dPC > 0))) ) { PointTriangleManifold* m = new PointTriangleManifold(a->_p[i], b); _ptManifolds.push_back(m); result = 1; } } return result; } void SpringsObject::Collide(const float &) { this->FlushZones(); for (int i = 0; i < _clothTrianglesCount; i++) { ClothTriangle* a = _clothTriangles[i]; a->RecalculatePlane(); for (int j = 0; j < _clothTrianglesCount; j++) { if (i == j) { continue; } ClothTriangle* b = _clothTriangles[j]; int testRes = MyTestTriangles(a, b); if (1 == testRes) { MergeTriangles(a, b); } if (1 == testRes) { a->_highlighted = 1; b->_highlighted = 1; /* cout << i << " " << j << endl; cout << "triangle i " << i << endl; cout << "prev\n"; a->_p[0]->_prevState._position._position.Print(""); a->_p[1]->_prevState._position._position.Print(""); a->_p[2]->_prevState._position._position.Print(""); cout << "curr\n"; a->_p[0]->_position._position.Print(""); a->_p[1]->_position._position.Print(""); a->_p[2]->_position._position.Print(""); cout << "triangle j " << j << endl; cout << "prev\n"; b->_p[0]->_prevState._position._position.Print(""); b->_p[1]->_prevState._position._position.Print(""); b->_p[2]->_prevState._position._position.Print(""); cout << "curr\n"; b->_p[0]->_position._position.Print(""); b->_p[1]->_position._position.Print(""); b->_p[2]->_position._position.Print(""); cout << "check b a " << TestTriangles(b, a) << endl; */ } } } } void SpringsObject::FlushHighlighting() { for (int i = 0; i < _clothTrianglesCount; i++) { _clothTriangles[i]->_highlighted = 0; } } void SpringsObject::ResolveSelfCollision(const float &timestep) { //1. select a collision timestep size //2. advance to candidate position position and veloities an time t(n+1) with the cloth internal dynamics //3. compute the average velocity this->CalculateAverageVelocity(timestep); //4. check for priximity, then apply repulsion impulses and friction to the average velocity to get approximate velocity this->Collide(timestep); this->ResolveCollisions(timestep); //5. check linear trajectories for collusion // this->MergingToZones(); if (_impactZones.size()) { cout << "zones: " << _impactZones.size() << " "; this->CombineZones(); cout << _impactZones.size() << endl; } this->ComputeFinalPosition(timestep); this->ResolveImpactZones(timestep); this->ApplyCorrection(timestep); this->EraseImpactZones(); //6. compute the final position //7. } void SpringsObject::ResolveCollisions(const float& timestep) { while(!_ptManifolds.empty()) { _ptManifolds.back()->ResolveCollisionByMomentumConversation(timestep); // _manifolds.back()->ResolveCollisionByProvot(timestep); _ptManifolds.pop_back(); } } int SpringsObject::CheckProximity(ClothTriangle *a, ClothTriangle *b) { if (a->isNeighbour(*b)) { return -1; } for (int i = 0; i < 3; i++) { Point3D<float>& aIP = a->_p[i]->_prevState._position; Point3D<float>& aIC = a->_p[i]->_state._position; Point3D<float> prP = b->CalculatePrevProjection(aIP); Point3D<float> prC = b->CalculateProjection(aIC); Point3D<float> vecP = prP; vecP -= aIP; Point3D<float> vecC = prC; vecC -= aIC; float dPP = vecP.DotProduct(b->_prevNormal); float dPC = vecC.DotProduct(b->_normal); if ( /* b->isInPrevTriangle(prP) &&*/ b->isInTriangle(prC) && (vecC.getSquaredLength() <= (_thickness * _thickness)) && ( ((dPP > 0) && (dPC < 0)) || ((dPP < 0) && (dPC > 0))) ) { return 1; } } return 0; }
b02a535154203348e9de88c841a6ea43e2353116
317d8c971a0edfd4e2270577503a76892df23bfb
/pointers.cpp
3ce77883e11354f7c22b5185d18b286a213474eb
[]
no_license
shambala1337/Cpp
7f46e8172b1abea08067828a1b0319b948ff221f
6686cebc5fed250b15a2e4a688d84a55d2b2eebf
refs/heads/master
2020-04-08T20:11:00.571829
2019-04-19T15:09:20
2019-04-19T15:09:20
159,687,361
0
0
null
null
null
null
UTF-8
C++
false
false
381
cpp
pointers.cpp
#include <iostream> using namespace std; int main() { int fish = 5; cout << &fish << endl; // address in memory of fish int *fishPointer; //dont need to use a star more than once fishPointer = &fish; // pointer is a special type of variable with a memory address as a value cout << fishPointer << endl; cout << endl; system("pause"); return 0; }
465b56932377d7116f8338b6f65f054eb29b4aa2
1117718ae9f303469f7e28bdb3bcfd781ca3d494
/Query.cpp
6677f45b8647da616ec349defeed7f4b018661c9
[ "Apache-2.0" ]
permissive
Anemone95/context-sensitive-reachability
049ffb8bfddb51db78dc6e3907b32d5cac416d47
a8ca263f080dced86a27b903320939e7a92b2ef1
refs/heads/master
2023-07-11T00:17:53.262307
2021-08-17T16:23:00
2021-08-17T16:23:00
null
0
0
null
null
null
null
UTF-8
C++
false
false
19,884
cpp
Query.cpp
#include "Query.h" //Query::Query() { // initFlags(); //} //Query::Query(const char* grafile) { // initFlags(); // ifstream in(grafile); // if (!in) { // cout << "Error: Cannot open " << grafile << endl; // return; // } // else // cout << "reading " << grafile << endl; // g = Graph(in); // in.close(); // gsize = g.num_vertices(); // initQueue(); //} //Query::Query(const char* filestem, const char* grafile, int _r, double _ps, bool mat) { // initFlags(); // epsilon = _r; // preselectratio = _ps; // ismaterialized = mat; // string filestr(filestem); // filestemstr = filestr; // // init graph // ifstream in(grafile); // if (!in) { // cout << "Error: Cannot open " << grafile << endl; // return; // } // else // cout << "reading " << grafile << endl; // g = Graph(in); // in.close(); // gsize = g.num_vertices(); // vector<string> gfilenames = makeggfilename(filestem); // // init gates // initGates(gfilenames[0].c_str()); // // init gategraph // initGateGraph(gfilenames[1].c_str()); // // init gate graph's reachability indices // string indexfile = filestr+".index"; // initIndex(indexfile.c_str()); // initQueue(); //} Query::Query(const char* filestem, Graph& ig, int _r, double _ps, bool mat) : g(ig) { initFlags(); epsilon = _r; preselectratio = _ps; ismaterialized = mat; string filestr(filestem); filestemstr = filestr; // init graph gsize = g.num_vertices(); vector<string> gfilenames = makeggfilename(filestem); // init gates initGates(gfilenames[0].c_str()); // init gategraph initGateGraph(gfilenames[1].c_str()); // init gate graph's reachability indices string indexfile = filestr+".index"; initIndex(indexfile.c_str()); initQueue(); } //Query::Query(const char* filestem, const char* grafile, int _r) { // epsilon = _r; // initFlags(); // string filestr(filestem); // filestemstr = filestr; // // init graph // ifstream in(grafile); // if (!in) { // cout << "Error: Cannot open " << grafile << endl; // return; // } // else // cout << "reading " << grafile << endl; // g = Graph(in); // in.close(); // gsize = g.num_vertices(); // // init gates // string gatefile = filestr+"."+to_string(epsilon)+"gates"; // initGates(gatefile.c_str()); // // init gategraph // string ggfile = filestr+"."+to_string(epsilon)+"gg"; // initGateGraph(ggfile.c_str()); // // init gate graph's reachability indices // string indexfile = filestr+".index"; // initIndex(indexfile.c_str()); // initQueue(); //} //Query::Query(const char* gatefile, const char* ggfile, // const char* indexfile, const char* grafile) { // initFlags(); // // init graph // ifstream in(grafile); // if (!in) { // cout << "Error: Cannot open " << grafile << endl; // return; // } // else // cout << "reading " << grafile << endl; // g = Graph(in); // in.close(); // gsize = g.num_vertices(); // initGates(gatefile); // initGateGraph(ggfile); //// initIndex(indexfile); // cout << "Init auxiliary data structures..." << endl; // initQueue(); //} Query::~Query() { if (method_name!="DFS") delete gates; // release memory if (ismaterialized) { for (int i = 0; i < gsize; i++) { if (materialized->get(i)) delete inneigs[i]; } } delete materialized; cout << "reachtime=" << reachtime << endl; cout << "average reachtime=" << (reachtime*1.0)/(1.0*100000) << endl; } int Query::getGateSize() const { return gatesize; } string Query::getFilestem() const { return filestemstr; } void Query::setMethodName(string _method_name) { method_name = _method_name; } string Query::getMethodName() const { return method_name; } long Query::getIndexSize() const { if (method_name=="DFS") return 0; long size = 0; for (int i = 0; i < gsize; i++) { if (method_name!="GATEDFS" && method_name!="GRAIL") { if (indextype==0||indextype==2) size += lin[i].size(); if (indextype==1||indextype==2) size += lout[i].size(); if (labeltype!=0) size += labels[i].size(); } } // using gate materialization long localgatesize = 0; if (useLocalGates || usePartialLocalGates) { for (int i = 0; i < gsize; i++) { localgatesize += localgates[i].size(); } } long multilabels = 0; if (useMultiLabels) { multilabels = gatesize*graillabels[0].size(); } size += localgatesize; size += multilabels; return size; } vector<long> Query::indexSize() const { vector<long> index; // indexsize, grailsize, inoutgates size, totalsize, inneighbors, inneitotoalsize long indexsize=0, graillabelsize=0, inoutgatesize=0, subtotalsize=0; long inneigsize = 0, totalsize = 0; if (method_name=="DFS") return vector<long>(5,0); for (int i = 0; i < gsize; i++) { if (method_name!="GATEDFS" && method_name!="GRAIL") { if (indextype==0||indextype==2) indexsize += lin[i].size(); if (indextype==1||indextype==2) indexsize += lout[i].size(); if (labeltype!=0) indexsize += labels[i].size(); } if (ismaterialized) { if (materialized->get(i)) inneigsize += inneigs[i]->num_ones(); inoutgatesize += inoutgates[i][0].size()+inoutgates[i][1].size(); } } if (useGlobalMultiLabels) graillabelsize = dim*gsize*2; subtotalsize = indexsize+graillabelsize+inoutgatesize; totalsize = subtotalsize+inneigsize; index.push_back(indexsize); index.push_back(graillabelsize); index.push_back(inoutgatesize); index.push_back(subtotalsize); //index.push_back(inneigsize); index.push_back(totalsize); index.push_back(reachtime); return index; } void Query::initFlags() { gsize = 0; gatesize = 0; useLocalGates = false; usePartialLocalGates = false; useMultiLabels = false; useTopoOrder = false; num_bits = 1; visitnum = 0; ref = 0; QueryCnt = 0; ismaterialized = false; useGlobalMultiLabels = false; dim = 5; preselectratio = 0.05; reachtime = 0; method_name = "DFS"; } // init queue and basic data structure "materialized" to maintain correctness void Query::initQueue() { dist = vector<int>(gsize,0); que = vector<int>(gsize,0); visited = vector<int>(gsize,0); materialized = new bit_vector(gsize); } void Query::setRadius(int _r) { epsilon = _r; } int Query::getGateEdgeSize() { return gateedgesize; // return gategraph.num_edges(); } vector<string> Query::makeggfilename(const char* filestem) { cout << "preselectratio=" << preselectratio << endl; string filestr(filestem); int ps = (int)(preselectratio*1000); filestr += "." + to_string(epsilon) + to_string(ps); string gatefilename = filestr+"gates"; // std::cout << "gates file name: " << gatefilename << std::endl; string ggfilename = filestr+"gg"; // std::cout << "gg file name: " << ggfilename << std::endl; vector<string> result; result.push_back(gatefilename); result.push_back(ggfilename); return result; } void Query::initGateGraph(const char* ggfilename) { ifstream infile(ggfilename); if (!infile) { cout << "Error: Cannot open " << ggfilename << endl; exit(-1); } gategraph = Graph(infile); infile.close(); gateedgesize = gategraph.num_edges(); cout << "#V(gate graph)=" << gategraph.num_vertices() << " #E(gate graph)=" << gategraph.num_edges() << endl; } void Query::initGates(const char* gatefile) { gates = new bit_vector(gsize); ifstream in(gatefile); if (!in) { cout << "initGates Error: Cannot open " << gatefile << endl; exit(-1); } else cout << "reading " << gatefile << endl; // fist line: the number of gates in >> gatesize >> radius; // cout << "radius=" << radius << endl; num_bits = (int)ceil(log(radius+1)/log(2)); int inputval; for (int i = 0; i < gatesize; i++) { in >> inputval; gates->set_one(inputval); gatemap[inputval] = i; } in.close(); // displayGates(cout); } void Query::initIndex(const char* indexfile) { ifstream in(indexfile); if (!in) { cout << "Error: Cannot open " << indexfile << endl; exit(-1); } else cout << "reading " << indexfile << endl; int numgates=-1, begin, end; labeltype=-1, indextype=-1; // first line: #gates #hasLabel #indextype in >> numgates >> labeltype >> indextype; cout << "numgates: " << numgates << endl; cout << "gatesize: " << gatesize << endl; assert(numgates==gatesize); if (indextype==0) { lin = vector<vector<int> >(gsize,vector<int>()); } else if (indextype==1) { lout = vector<vector<int> >(gsize,vector<int>()); } else if (indextype==2) { lin = vector<vector<int> >(gsize,vector<int>()); lout = vector<vector<int> >(gsize,vector<int>()); } int idx, vid; string buf, inbuf, sub; vector<int> gateindex; for (int i = 0; i < gsize; i++) { if (gates->get(i)) gateindex.push_back(i); } // process lin and lout if (indextype != 3) { getline(in,buf); for (int i = 0; i < gatesize; i++) { getline(in,buf); // parse inlabels // cout << "lin" << endl; begin = buf.find(":"); end = buf.find_first_of("#"); inbuf = buf.substr(begin+2,end-begin-2); int sid = gateindex[i]; vector<string> neighbors = Graph::split(inbuf, ' '); // for (int j = 0; j < neighbors.size(); j++) { // if (neighbors[j]=="") continue; // vid = atoi(neighbors[j].c_str()); // lin[sid].push_back(gateindex[vid]); // } /* buf = buf.substr(buf.find_first_of(":")+2); // parse lin inbuf = buf.substr(0,buf.find_first_of("#")); while (inbuf.find(" ")!=string::npos) { sub = inbuf.substr(0,inbuf.find(" ")); istringstream(sub) >> vid; lin[gateindex[i]].push_back(gateindex[vid]); inbuf.erase(0,inbuf.find(" ")+1); } */ // if (indextype==0 || indextype==2) // sort(lin[sid].begin(),lin[sid].end()); // cout << "lout" << endl; // parse lout // begin = end+2; // end = buf.find_last_of("#"); // if (end-begin<=0) continue; // buf = buf.substr(begin,end-begin); // neighbors.clear(); // neighbors = Graph::split(buf, ' '); for (int j = 0; j < neighbors.size(); j++) { if (neighbors[j]=="") continue; vid = atoi(neighbors[j].c_str()); lout[sid].push_back(gateindex[vid]); } /* buf.erase(0, buf.find_first_of("#")+2); while (buf.find(" ")!=string::npos) { sub = buf.substr(0,buf.find(" ")); istringstream(sub) >> vid; lout[gateindex[i]].push_back(gateindex[vid]); buf.erase(0,buf.find(" ")+1); } */ // if (indextype==1 || indextype==2) // sort(lout[sid].begin(),lout[sid].end()); } } if (labeltype==0) { in.close(); return; } // process labels labels = vector<vector<int> >(gsize,vector<int>()); getline(in,buf); for (int i = 0; i < gatesize; i++) { getline(in,buf); buf = buf.substr(buf.find_first_of(":")+2); while (buf.find(" ")!=string::npos) { sub = buf.substr(0,buf.find(" ")); istringstream(sub) >> vid; labels[gateindex[i]].push_back(vid); buf.erase(0,buf.find(" ")+1); } } in.close(); } //void Query::outIndex(const char* out_index_file){ // ofstream outer(out_index_file); // for //} void Query::computeLocalGates(bool ispartial) { vector<int> nodes; if (ispartial) { usePartialLocalGates = true; selectPartialNodes(nodes, (int)(gsize*0.1)); } else { useLocalGates = true; selectPartialNodes(nodes, gsize); } localgates = vector<vector<vector<int> > >(gsize,vector<vector<int> >(2,vector<int>())); for (int i = 0; i < nodes.size(); i++) { GraphUtil::collectInLocalGates(g, gates, nodes[i], radius, localgates[nodes[i]][0]); GraphUtil::collectOutLocalGates(g, gates, nodes[i], radius, localgates[nodes[i]][0]); } } void Query::computeMultiLabelsQuickRej(int num_labels) { mutipleLabeling(num_labels); } // default strategy: randomly select #num vertices void Query::selectPartialNodes(vector<int>& nodes, int num) { assert(num<=gsize); nodes.clear(); if (num == gsize) { for (int i = 0; i < gsize; i++) nodes.push_back(i); return; } srand(time(NULL)); set<int> tmp_nodes; set<int>::iterator sit; while (tmp_nodes.size()<num) { int node = rand()%gsize; tmp_nodes.insert(node); } for (sit = tmp_nodes.begin(); sit != tmp_nodes.end(); sit++) nodes.push_back(*sit); } // default strategy: randomly generate #num_labels DFS labels void Query::mutipleLabeling(int num_labels) { int index = 0; vector<pair<int,int> > dfslabels; graillabels = vector<vector<pair<int,int> > >(gsize,vector<pair<int,int> >()); for (int i = 0; i < num_labels; i++) { dfslabels.clear(); // GraphUtil::randomDFSLabeling(gategraph,dfslabels); GraphUtil::grail_labeling(g,dfslabels); index = 0; for (int j = 0; j < gsize; j++) { if (gates->get(j)) { graillabels[j].push_back(dfslabels[index]); index++; } } } useMultiLabels = true; } void Query::computeTopoOrder() { useTopoOrder = true; GraphUtil::topological_sort(g,topoid); } bool Query::reach(int src, int trg) { return GraphUtil::DFSReachCnt(g, src, trg, visited, QueryCnt); // return GraphUtil::DFSReachVisitedNum(g,src,trg,visitnum); } bool Query::reachWithoutMat(int src, int trg) { return GraphUtil::DFSReachCnt(g, src, trg, visited, QueryCnt); // return GraphUtil::DFSReachVisitedNum(g,src,trg,visitnum); } bool Query::test_reach(int src, int trg) { bool r = reach(src, trg); bool ans = GraphUtil::DFSReach(g, src, trg); if (r!=ans) { cout << "###Wrong: [" << src << "] to [" << trg << "] reach = " << r << endl; cout << "----------------------------------------------------" << endl; displayLabelsByNode(src,cout); displayLabelsByNode(trg,cout); cout << "----------------------------------------------------" << endl; // exit(0); } return true; } bool Query::test_nomreach(int src, int trg) { bool r = reachWithoutMat(src, trg); bool ans = GraphUtil::DFSReach(g, src, trg); if (r!=ans) { cout << "###Wrong: [" << src << "] to [" << trg << "] reach = " << r << endl; cout << "----------------------------------------------------" << endl; displayLabelsByNode(src,cout); displayLabelsByNode(trg,cout); cout << "----------------------------------------------------" << endl; exit(0); } return true; } void Query::initMaterialization() { inoutgates = vector<vector<vector<int> > >(gsize,vector<vector<int> >(2,vector<int>())); inneigs = vector<bit_vector*>(gsize,NULL); int pnum = (int)(gsize*0.001); pnum = max(pnum,100); if (gatesize>1500000) pnum=min(pnum,10); pnum = min(gsize,pnum); cout << "Materialize local gates pnum=" << pnum << endl; materialization(pnum); ismaterialized = true; } void Query::materialization(int num) { cout << "Materialize top 0.1% highest indegree vertices" << endl; selectMaterialized(num); // cout << "Precompute inneighbors" << endl; for (int i = 0; i < gsize; i++) { if (materialized->get(i)) materializeInNeighbors(i); // collect paritial inneighbors and ingates } cout << "Precompute incoming local gates" << endl; for (int i = 0; i < gsize; i++) { if (gates->get(i)) continue; precomputeGates(i,false); // collect ingates } cout << "Precompute outgoing local gates" << endl; for (int i = 0; i < gsize; i++) { if (gates->get(i)) continue; precomputeGates(i,true); // collect outgates } useLocalGates = true; // for test #ifdef PATHTREE_DEBUG displayInfor(cout); #endif } void Query::selectMaterialized(int num) { num = min(gsize,num); multimap<int,int> indegmap; int indeg; for (int i = 0; i < gsize; i++) { indeg = g.in_degree(i); indegmap.insert(make_pair(indeg,i)); } multimap<int,int>::reverse_iterator mit = indegmap.rbegin(); for (int i = 0; i < num; i++) { materialized->set_one(mit->second); mit++; } } void Query::materializeInNeighbors(int vid) { inneigs[vid] = new bit_vector(gsize); QueryCnt++; int u, val, index=0, endindex=0, nid; EdgeList el; EdgeList::iterator eit; ref += radius+1; que[0]=vid; dist[vid]=ref; endindex=1; index=0; while (index<endindex) { u = que[index]; index++; val = dist[u]; el = g.in_edges(u); for (eit = el.begin(); eit != el.end(); eit++) { nid=(*eit); if (dist[nid]<ref) { dist[nid]=val+1; inneigs[vid]->set_one(nid); /* if (!gates->get(vid)&&gates->get(nid)) inoutgates[vid][0].push_back(nid); */ if (val+1-ref<radius) que[endindex++]=nid; } } } } // note that: using scalable version of gate graph generation, outlocalgates contains all gates within epsilon steps while inlocalgates contains all gates within epsion+1 steps void Query::precomputeGates(int vid, bool out) { if (gates->get(vid)) { return; } int u, val, index=0, endindex=0, nid; EdgeList el; EdgeList::iterator eit; ref += radius+2; que[0]=vid; dist[vid]=ref; endindex=1; index=0; while (index<endindex) { u = que[index]; index++; val = dist[u]; if (out) el = g.out_edges(u); else el = g.in_edges(u); for (eit = el.begin(); eit != el.end(); eit++) { nid=(*eit); if (dist[nid]<ref) { dist[nid]=val+1; if (gates->get(nid)) { if (out) inoutgates[vid][1].push_back(nid); else inoutgates[vid][0].push_back(nid); continue; } if (out) { if (val+1-ref<radius) que[endindex++]=nid; } else { // if (val+1-ref<radius+1) if (val+1-ref<radius) que[endindex++]=nid; } } } } } void Query::displayInfor(ostream& out) { for (int i = 0; i < gsize; i++) displayInfor(i,out); } void Query::displayInfor(int vid, ostream& out) { if (materialized->get(vid)) { if (inneigs[vid]==NULL) { cout << "Error: " << vid << " is NULL" << endl; return; } out << "Inneigs[" << vid << "]: "; for (int i = 0; i < gsize; i++) if (inneigs[vid]->get(i)) cout << i << " "; out << endl; } out << "InOutGates[" << vid << "]: "; vector<int>::iterator vit; for (vit = inoutgates[vid][0].begin(); vit != inoutgates[vid][0].end(); vit++) out << *vit << " "; out << " | "; for (vit = inoutgates[vid][1].begin(); vit != inoutgates[vid][1].end(); vit++) out << *vit << " "; out << "#" << endl; } void Query::displayIndex(ostream& out) { if (indextype==3) return; out << "Lin and Lout Index " << endl; for (int i = 0; i < gsize; i++) { out << i << ": "; if (indextype!=1) { for (int j = 0; j < lin[i].size(); j++) out << lin[i][j] << " "; } out << "# "; if (indextype!=0) { for (int j = 0; j < lout[i].size(); j++) out << lout[i][j] << " "; } out << "#" << endl; } } void Query::displayLabelsByNode(int vid, ostream& out) { if (method_name=="GATEDFS") { displayLocalGatesByNode(vid,cout); return; } out << vid << ": ["; for (int j = 0; j < labels[vid].size()-1; j++) out << labels[vid][j] << " "; out << labels[vid][labels[vid].size()-1] << "]" << endl; } void Query::displayLabels(ostream& out) { if (gates->num_bits_set()==0) return; out << "Node Labels (only for gate vertices)" << endl; for (int i = 0; i < gsize; i++) { if (gates->get(i)) { displayLabelsByNode(i,out); } } } void Query::displayGates(ostream& out) { out << "Gates: "; for (int i = 0; i < gsize; i++) { if (gates->get(i)) { out << i << " "; if (i%20==0) out << endl; } } out << "#" << endl; } void Query::displayGrailLabels(ostream& out) { if (!useMultiLabels) return; out << "GRAIL Labels" << endl; for (int i = 0; i < gsize; i++) { if (gates->get(i)) { out << i << ": "; for (int j = 0; j < graillabels[i].size(); j++) out << "[" << graillabels[i][j].first << "," << graillabels[i][j].second << "] "; out << endl; } } } void Query::displayLocalGatesByNode(int vid, ostream& out) { if (!useLocalGates && !usePartialLocalGates) return; cout << vid << " "; if (gates->get(vid)) cout << "is gate node" << endl; else cout << "is not gate node" << endl; out << "Local Gates["; out << vid << "]: "; for (int j = 0; j < inoutgates[vid][0].size(); j++) out << inoutgates[vid][0][j] << " "; out << "# "; for (int j = 0; j < inoutgates[vid][1].size(); j++) out << inoutgates[vid][1][j] << " "; out << "#" << endl; } void Query::displayLocalGates(ostream& out) { if (!useLocalGates && !usePartialLocalGates) return; out << "Local Gates" << endl; for (int i = 0; i < gsize; i++) { displayLocalGatesByNode(i, out); } }
4d3cc83751c0a5a77d794f81b37c4b0e91db24bd
0eff74b05b60098333ad66cf801bdd93becc9ea4
/second/download/httpd/gumtree/httpd_repos_function_364_httpd-2.2.19.cpp
b420afe2ebe409386c4e0b26e73df7d4cdba12e5
[]
no_license
niuxu18/logTracker-old
97543445ea7e414ed40bdc681239365d33418975
f2b060f13a0295387fe02187543db124916eb446
refs/heads/master
2021-09-13T21:39:37.686481
2017-12-11T03:36:34
2017-12-11T03:36:34
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,500
cpp
httpd_repos_function_364_httpd-2.2.19.cpp
static int dav_method_checkin(request_rec *r) { dav_resource *resource; dav_resource *new_version; const dav_hooks_vsn *vsn_hooks = DAV_GET_HOOKS_VSN(r); dav_error *err; int result; apr_xml_doc *doc; int keep_checked_out = 0; /* If no versioning provider, decline the request */ if (vsn_hooks == NULL) return DECLINED; if ((result = ap_xml_parse_input(r, &doc)) != OK) return result; if (doc != NULL) { if (!dav_validate_root(doc, "checkin")) { /* This supplies additional information for the default msg. */ ap_log_rerror(APLOG_MARK, APLOG_ERR, 0, r, "The request body, if present, must be a " "DAV:checkin element."); return HTTP_BAD_REQUEST; } keep_checked_out = dav_find_child(doc->root, "keep-checked-out") != NULL; } /* Ask repository module to resolve the resource */ err = dav_get_resource(r, 0 /* label_allowed */, 0 /* use_checked_in */, &resource); if (err != NULL) return dav_handle_err(r, err, NULL); if (!resource->exists) { /* Apache will supply a default error for this. */ return HTTP_NOT_FOUND; } /* Check the state of the resource: must be a file or collection, * must be versioned, and must be checked out. */ if (resource->type != DAV_RESOURCE_TYPE_REGULAR) { return dav_error_response(r, HTTP_CONFLICT, "Cannot checkin this type of resource."); } if (!resource->versioned) { return dav_error_response(r, HTTP_CONFLICT, "Cannot checkin unversioned resource."); } if (!resource->working) { return dav_error_response(r, HTTP_CONFLICT, "The resource is not checked out."); } /* ### do lock checks, once behavior is defined */ /* Do the checkin */ if ((err = (*vsn_hooks->checkin)(resource, keep_checked_out, &new_version)) != NULL) { err = dav_push_error(r->pool, HTTP_CONFLICT, 0, apr_psprintf(r->pool, "Could not CHECKIN resource %s.", ap_escape_html(r->pool, r->uri)), err); return dav_handle_err(r, err, NULL); } return dav_created(r, new_version->uri, "Version", 0); }
0a1a6970f7b7f10856136e95022176bf71875ae1
4b998d81b33c0374c195b7d5d4907bc4e9f65f87
/include/SceneManager.h
5485a15c618801e506369a71161824f48b52ce67
[ "MIT" ]
permissive
Genocidicbunny/TimewhaleEngine
3e4f317cf8e1bd11750529f8873716f8d0f8ea82
6f38be50c832adf9fe4d3026d022d6db5e0eeccd
refs/heads/master
2021-01-01T17:57:51.031950
2013-10-19T02:40:05
2013-10-19T02:40:05
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,344
h
SceneManager.h
/* * * Scene Manager class * */ #pragma once #ifndef __TIMEWHALE_SCENEMANAGER_H_ #define __TIMEWHALE_SCENEMANAGER_H_ #include <unordered_map> #include <unordered_set> #include <list> #include <string> #include <memory> #include "Scene.h" #include "SceneTable.h" #include "InstanceID.h" namespace Timewhale { class SceneManager { friend class TimewhaleEngine; friend class std::shared_ptr<SceneManager>; friend class std::_Ref_count_obj<SceneManager>; // typedef std::unordered_map<std::string, Scene*> SceneMap; // typedef std::unordered_map<SceneID, Scene*> SceneIDMap; // typedef std::list<Scene*> SceneList; typedef std::vector<SceneRenderData> RenderDataVec; //SceneMap mScenes; //SceneIDMap mSceneIDMap; //SceneList mSceneList; //SceneList mNextScenes; //bool mTransitioning; //int mPopping; Scene* currentScene;; Scene* changingScene; bool mChanging; SceneRenderData render_data; static std::shared_ptr<SceneManager> sManager; SceneManager(); void RunScenePreUpdates(); void RunSceneUpdates(); void RunScenePostUpdates(); void SubmitForRendering(); static std::shared_ptr<SceneManager> const Create(); bool Init(); void Update(); void Shutdown(); bool _CreateScene(const std::string &name, const SceneInitf &initFunc = nullptr); void _ChangeScene(const std::string &name); public: inline static std::shared_ptr<SceneManager> const get() { if(!sManager) { log_sxerror("SceneManager", "Scene Manager has not been initialized!"); assert(false); } return sManager; } static Scene* const GetCurrentScene(); static bool CreateScene( const std::string &name, const SceneInitf &initFunc = nullptr) { auto sm = get(); assert(sm); return sm->_CreateScene(name, initFunc); } static void ChangeScene(const std::string& name) { auto sm = get(); assert(sm); sm->_ChangeScene(name); } //void push(const std::string &name); //void pop(); //Scene* const current(); //Scene* const getScene(const std::string &name); //bool empty(); //int size(); //bool onStack(const std::string &name); ~SceneManager(); }; typedef std::shared_ptr<SceneManager> SceneManagerPtr; } #endif
00242d2873d55ac594901c708d48fdecfd569b37
79face6fd87721bba49a03131c5ccc11b7e0c5de
/wasm/src/gl/program.h
27017396b5cfd0da8dc0eb02b3495dcc29b736f1
[ "MIT" ]
permissive
ps100000/libgraph
17890f558ea59167cee633e68160af0c38ceb9a9
da504ab9017082d62bfc7520e0bf11865ba7a673
refs/heads/master
2023-06-03T17:02:42.646598
2021-06-08T19:33:43
2021-06-08T19:33:43
365,260,281
0
0
null
null
null
null
UTF-8
C++
false
false
711
h
program.h
#ifndef _PROGRAMM_H_ #define _PROGRAMM_H_ #include <string> #include <memory> #include <GL/glew.h> #include "gl_object.h" #include "context.h" class program: public gl_object, public context { private: program(GLuint program_id); program(std::string vertexfile, std::string fragmentfile); GLint previous_program; // only used for context void ctx_begin() override; void ctx_end() override; public: program(const program&) = delete; program(program&&) = delete; ~program(); GLint get_attrib(std::string name); GLint get_uniform(std::string name); static std::shared_ptr<program> create(std::string vertexfile, std::string fragmentfile = ""); static program none(); }; #endif
770e66106220bbe04cf0787b80cd524d7a5b6d78
fffa3b706f8a6611083a5dca098e721da3bbcdda
/March of the Bombs_Server/Context.h
388f6e9e998c8edeac8d4acad2f8011e0cb41e96
[]
no_license
Jereq/March-of-the-Bombs
bdd882969cf87bfae309935232fb4729b49721a7
5f0fb3082939709001614b4a0c80530e50a5c6b4
refs/heads/master
2021-01-24T06:13:40.349734
2013-05-15T17:08:50
2013-05-15T17:08:50
3,366,632
0
1
null
null
null
null
UTF-8
C++
false
false
2,407
h
Context.h
#pragma once #include <set> #include <boost/enable_shared_from_this.hpp> #include <PacketManager.h> #include "Player.h" class Context : public boost::enable_shared_from_this<Context> { public: typedef boost::shared_ptr<Context> ptr; typedef boost::weak_ptr<Context> w_ptr; virtual void join(Player::ptr const& player) = 0; virtual void leave(Player::ptr const& player) = 0; virtual void deliver(Packet::const_ptr const& packet) = 0; virtual boost::shared_ptr<PacketManager> getPacketManager() = 0; virtual std::set<Player::ptr> const& getPlayers() const = 0; virtual void handlePacket1SimpleMessage(Packet1SimpleMessage::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket2Blob(Packet2Blob::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket3Login(Packet3Login::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket4LoginAccepted(Packet4LoginAccepted::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket5EntityMove(Packet5EntityMove::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket6CreateGame(Packet6CreateGame::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket7JoinGame(Packet7JoinGame::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket8SetupGame(Packet8SetupGame::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket9SpawnBomb(Packet9SpawnBomb::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket10PlayerReady(Packet10PlayerReady::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket11RequestOpenGames(Packet11RequestOpenGames::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket12OpenGames(Packet12OpenGames::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket13RemoveBomb(Packet13RemoveBomb::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket14RemoveBlocks(Packet14RemoveBlocks::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket15UpdatePlayerScore(Packet15UpdatePlayerScore::const_ptr const& packet, Player::ptr const& sender) {}; virtual void handlePacket16GameOver(Packet16GameOver::const_ptr const& packet, Player::ptr const& sender) {}; };
b227dfa232e1cc4189dcd24c9296b9cbcc773bf0
8ecb2cd22575f9bad97103493af6d604eaf65ae4
/includes/IArtificialInteligence.hpp
95f186444ce908212958c4e7dccd763ab0093e57
[]
no_license
bogardt/gomoku
7ef3f0dc28da579c529b83b81ab4409763777f1b
6855356f59d1f4b34ff21a10be75cea962634560
refs/heads/master
2021-01-12T07:20:18.355986
2016-12-20T10:36:24
2016-12-20T10:36:24
76,947,576
0
0
null
null
null
null
UTF-8
C++
false
false
250
hpp
IArtificialInteligence.hpp
#ifndef IARTIFICIAL_INTELIGENCE_HPP # define IARTIFICIAL_INTELIGENCE_HPP # include "Map.hpp" class IArtificialInteligence { public: virtual Map::Coordinates *computeNextAction(const Map &map) = 0; }; #endif /* IARTIFICIAL_INTELIGENCE_HPP */
31d78382bb1dd11b61f48c345d69f2f7c09dea0d
be55eb2440e4c8911eafad71853ed4626695ecd0
/Lab_3.3-B/BitString.cpp
791a8e2a9fe261c01bbab0425d8003797c292616
[]
no_license
YuliiaOsadchukkk/Lab_3.3-B
017799ca9dc14bcc30665bf4f833127621e1c828
81c546c32b4c8aafdcf0ae57aa8184a0d46d0141
refs/heads/master
2023-04-27T16:50:02.111578
2021-05-13T14:09:59
2021-05-13T14:09:59
367,064,155
0
0
null
null
null
null
UTF-8
C++
false
false
1,563
cpp
BitString.cpp
//BitString.cpp #include "BitString.h" BitString operator ^ (const BitString& a, const BitString& b) { BitString t; t.SetFirst(a.GetFirst() ^ b.GetFirst()); t.SetSecond(a.GetSecond() ^ b.GetSecond()); return t; } BitString operator << (const BitString& a, int n) { BitString t = a; long tmp[2]; const int last_bit = sizeof(long) * 8 - 1; for (size_t i = 0; i < n; i++) { tmp[0] = t.GetFirst() << 1; tmp[1] = t.GetFirst() << 1; if (t.GetSecond() & (1 << last_bit)) tmp[0] |= (1 << 0); else tmp[0] &= ~(1 << 0); t.SetFirst(tmp[0]); t.SetSecond(tmp[1]); } return t; } BitString operator >> (const BitString& a, int n) { BitString t = a; long tmp[2]; const int last_bit = sizeof(long) * 8 - 1; for (size_t i = 0; i < n; i++) { tmp[0] = t.GetFirst() >> 1; tmp[1] = t.GetSecond() >> 1; if (t.GetFirst() & (1 << 0)) tmp[1] |= (1 << last_bit); else tmp[1] &= ~(1 << last_bit); t.SetFirst(tmp[0]); t.SetSecond(tmp[1]); } return t; } /////////////// BitString& BitString::operator ++() { SetFirst(GetFirst() + 1); return *this; } BitString& BitString::operator --() { SetFirst(GetFirst() - 1); return *this; } BitString BitString::operator ++(int) { BitString t(*this); SetSecond(GetSecond() + 1); return t; } BitString BitString::operator --(int) { BitString t(*this); SetSecond(GetSecond() - 1); return t; }
6e860ffa796a5573da064779f668f556cec292bb
85cce50c27d7bbd6d098ec0af7b5ec712ad6abd8
/CodeChef/C++/CodeChef_Buy1Get1.cpp
fa7fe8cbf29d6656a16d7c4365a7d975f3f2a988
[]
no_license
saikiran03/competitive
69648adcf783183a6767caf6db2f63aa5be4aa25
c65e583c46cf14e232fdb5126db1492f958ba267
refs/heads/master
2020-04-06T07:04:06.577311
2016-10-05T08:28:19
2016-10-05T08:28:19
53,259,126
0
0
null
null
null
null
UTF-8
C++
false
false
558
cpp
CodeChef_Buy1Get1.cpp
#include <iostream> #include <string> using namespace std; int main() { std::ios::sync_with_stdio(false); int test; long long int count; string jewels; cin >> test; while(test--) { int alpha[52] = {0}; count = 0; cin >> jewels; for(int i=0; i<jewels.size(); i++) alpha[((int)jewels[i])-65]++; for(int i=0; i<52; i++) { if(alpha[i]%2) count += alpha[i]/2+1; else count += alpha[i]/2; } cout << count << endl; } }
3097759bc8d9e09d3250f1416eed1d6b974b2bfa
20d5373911038240cab9de653225e45e2998a519
/client/srcs/entityInitialiser.cpp
952addcaeefae5f8bab9211b4005142a8f850d52
[]
no_license
barug/R-type
900fee0aabd824265194b5d87e9606f22c14aa95
5b13c254ea52f483c0d8be96b69cda7e9bb572f1
refs/heads/master
2021-01-19T10:48:10.436258
2017-01-31T16:08:23
2017-01-31T16:08:23
82,204,023
0
0
null
null
null
null
UTF-8
C++
false
false
7,075
cpp
entityInitialiser.cpp
#include "entityInitialiser.hpp" void initializePlayerShip(EntityManager &entityManager, int entityId, va_list args) { PhysicComponent *physComp = static_cast<PhysicComponent*>(entityManager.getComponent(entityId, PhysicComponent::name)); SpriteComponent *spriteComp = static_cast<SpriteComponent*>(entityManager.getComponent(entityId, SpriteComponent::name)); PositionComponent *positionComp = static_cast<PositionComponent*>(entityManager.getComponent(entityId, PositionComponent::name)); HitBoxComponent *hitBoxComp = static_cast<HitBoxComponent*>(entityManager.getComponent(entityId, HitBoxComponent::name)); HealthComponent *healthComp = static_cast<HealthComponent*>(entityManager.getComponent(entityId, HealthComponent::name)); PlayerInputComponent *playerComp = static_cast<PlayerInputComponent*>(entityManager.getComponent(entityId, PlayerInputComponent::name)); int x = va_arg(args, int); int y = va_arg(args, int); positionComp->setX(x); positionComp->setY(y); physComp->setSpeedX(0); physComp->setSpeedY(0); physComp->setAccelerationX(0); physComp->setAccelerationY(0); physComp->setCanLeaveScreen(false); spriteComp->setPathAnimated("./assets/sprites/r-typesheet42.png"); spriteComp->setEntityName("PlayerShip"); spriteComp->setFrames({166/5, 0, 166/5, 17}, 5); healthComp->setHealth(1); healthComp->setDamagePower(0); hitBoxComp->setCircleRadius(10); healthComp->setFaction(HealthComponent::Faction::PLAYERS); playerComp->setLastFire(std::chrono::system_clock::now()); } void initializeStrafingMonster(EntityManager &entityManager, int entityId, va_list args) { SpriteComponent *spriteComp = static_cast<SpriteComponent*>(entityManager.getComponent(entityId, SpriteComponent::name)); PositionComponent *positionComp = static_cast<PositionComponent*>(entityManager.getComponent(entityId, PositionComponent::name)); HitBoxComponent *hitBoxComp = static_cast<HitBoxComponent*>(entityManager.getComponent(entityId, HitBoxComponent::name)); HealthComponent *healthComp = static_cast<HealthComponent*>(entityManager.getComponent(entityId, HealthComponent::name)); PhysicComponent *physComp = static_cast<PhysicComponent*>(entityManager.getComponent(entityId, PhysicComponent::name)); ScriptComponent *scriptComp = static_cast<ScriptComponent*>(entityManager.getComponent(entityId, ScriptComponent::name)); int x = va_arg(args, int); int y = va_arg(args, int); float speedY = va_arg(args, int); spriteComp->setPathAnimated("./assets/sprites/r-typesheet17.png"); spriteComp->setEntityName("BasicMonster"); spriteComp->setFrames({66, 0, 61, 132}, 8); positionComp->setX(x); positionComp->setY(y); physComp->setSpeedX(-2); physComp->setSpeedY(speedY); physComp->setCanLeaveScreen(true); hitBoxComp->setCircleRadius(30); healthComp->setHealth(1); healthComp->setDamagePower(-1); healthComp->setFaction(HealthComponent::Faction::ENEMIES); scriptComp->setScript(new StrafingMonsterScript(entityManager, entityId)); } void initializeBasicMonster(EntityManager &entityManager, int entityId, va_list args) { SpriteComponent *spriteComp = static_cast<SpriteComponent*>(entityManager.getComponent(entityId, SpriteComponent::name)); PositionComponent *positionComp = static_cast<PositionComponent*>(entityManager.getComponent(entityId, PositionComponent::name)); HitBoxComponent *hitBoxComp = static_cast<HitBoxComponent*>(entityManager.getComponent(entityId, HitBoxComponent::name)); HealthComponent *healthComp = static_cast<HealthComponent*>(entityManager.getComponent(entityId, HealthComponent::name)); PhysicComponent *physComp = static_cast<PhysicComponent*>(entityManager.getComponent(entityId, PhysicComponent::name)); ScriptComponent *scriptComp = static_cast<ScriptComponent*>(entityManager.getComponent(entityId, ScriptComponent::name)); int x = va_arg(args, int); int y = va_arg(args, int); float speedY = va_arg(args, int); spriteComp->setPathAnimated("./assets/sprites/r-typesheet17.png"); spriteComp->setEntityName("BasicMonster"); spriteComp->setFrames({66, 0, 61, 132}, 8); positionComp->setX(x); positionComp->setY(y); physComp->setSpeedX(-2); physComp->setSpeedY(speedY); physComp->setCanLeaveScreen(true); hitBoxComp->setCircleRadius(30); healthComp->setHealth(1); healthComp->setDamagePower(-1); healthComp->setFaction(HealthComponent::Faction::ENEMIES); scriptComp->setScript(new BasicMonsterScript(entityManager, entityId)); } void initializeBasicProjectile(EntityManager &entityManager, int entityId, va_list args) { PositionComponent *projectilePosComp = static_cast<PositionComponent*>(entityManager.getComponent(entityId, PositionComponent::name)); PhysicComponent *projectilePhysComp = static_cast<PhysicComponent*>(entityManager.getComponent(entityId, PhysicComponent::name)); HitBoxComponent *projectileHitBoxComp = static_cast<HitBoxComponent*>(entityManager.getComponent(entityId, HitBoxComponent::name)); SpriteComponent *projectileSpriteComp = static_cast<SpriteComponent*>(entityManager.getComponent(entityId, SpriteComponent::name)); HealthComponent *projectileHealthComp = static_cast<HealthComponent*>(entityManager.getComponent(entityId, HealthComponent::name)); int x = va_arg(args, int); int y = va_arg(args, int); float speedX = va_arg(args, int); float speedY = va_arg(args, int); unsigned int *frameArray = va_arg(args, unsigned int*); std::vector<unsigned int> rec; rec.assign(frameArray, frameArray + 4); unsigned int nbFrames = va_arg(args, unsigned int); int faction = va_arg(args, int); char *spritePath = va_arg(args, char *); projectilePosComp->setX(x); projectilePosComp->setY(y); projectilePhysComp->setSpeedX(speedX); projectilePhysComp->setSpeedY(speedY); projectilePhysComp->setCanLeaveScreen(true); projectileHitBoxComp->setCircleRadius(10); projectileSpriteComp->setPathAnimated(spritePath); projectileSpriteComp->setEntityName(spritePath); projectileSpriteComp->setFrames(rec, nbFrames); projectileHealthComp->setHealth(1); projectileHealthComp->setDamagePower(-1); projectileHealthComp->setFaction(static_cast<HealthComponent::Faction>(faction)); } void initializeMonsterSpawnScript(EntityManager &entityManager, int entityId, va_list args) { ScriptComponent *scriptComp = static_cast<ScriptComponent*>(entityManager.getComponent(entityId, ScriptComponent::name)); std::cout << "making monster spawn script" << std::endl; scriptComp->setScript(new MonsterSpawnScript(entityManager)); }
02cc08b8e7cd38d613da4ffb2a4f25fe6bdd2fbb
d5d18cdbf78c2edd5093cf1680c5124ff49a1368
/src/BinaryConverter.cpp
304da33478ff8d60d4d8b9a3ce1c3f1d5534bc43
[]
no_license
Akrobate/genetic-neuron
2201cadbf1ef2f093029997e88ab7d3d01d3069d
f918fc44f66ea852936b5942533cf7f4e71df011
refs/heads/master
2016-09-05T16:09:47.535057
2014-02-24T19:30:16
2014-02-24T19:30:16
33,071,197
1
0
null
null
null
null
UTF-8
C++
false
false
3,038
cpp
BinaryConverter.cpp
#include "../include/BinaryConverter.h" BinaryConverter::BinaryConverter() { //ctor } BinaryConverter::~BinaryConverter() { //dtor } void BinaryConverter::printBinary() { for (int i = 0; i < this->binaryTab.size(); i++) { if (this->binaryTab[i]) { printf("1"); } else { printf("0"); } } printf("\n"); } void BinaryConverter::printBinary(vector<bool> vect) { for (int i = 0; i < vect.size(); i++) { if (vect[i]) { printf("1"); } else { printf("0"); } } printf("\n"); } void BinaryConverter::printBinary(vector<int> vect) { for (int i = 0; i < vect.size(); i++) { printf("%d ", vect[i]); } printf("\n"); } void BinaryConverter::setDecimalInt(int dec){ this->decimalInt = dec; } void BinaryConverter::setBinaryTab(vector<bool> bin) { this->binaryTab = bin; } void BinaryConverter::toDecimalConvert() { this->decimalInt = 0; for (int i = 0; i < this->binaryTab.size(); i++) { if (this->binaryTab[i]) { this->decimalInt = this->decimalInt * 2 + 1; } else { this->decimalInt = this->decimalInt * 2; } } } int BinaryConverter::toDecimalConvert(vector<bool> bin) { this->binaryTab = bin; this->decimalInt = 0; for (int i = 0; i < this->binaryTab.size(); i++) { if (this->binaryTab[i]) { this->decimalInt = this->decimalInt * 2 + 1; } else { this->decimalInt = this->decimalInt * 2; } } return decimalInt; } vector<bool> BinaryConverter::normalizeBinary(vector<bool> vect, int sizeNeeded) { vector<bool> result; int vectSize = vect.size(); int _difSize = 0; if (sizeNeeded < vectSize) { // gestion du cas d'erreur exit(0); } _difSize = sizeNeeded - vectSize; int x = 0; for (int i = 0; i < sizeNeeded; i++) { if (i < _difSize) { result.push_back(false); } else { result.push_back(vect[x]); x++; } } return result; } vector<bool> BinaryConverter::toBinaryConvert(int unsigned decimalInt) { int unsigned valeur; // decimalInt vector<bool> result; vector<bool> reversedBin; int x=0; int i; int reste=0; int binaire=0; valeur = decimalInt; while (valeur > 0) { reste = valeur%2 ;//calcul le reste if (reste==1) { result.push_back(true); } else { result.push_back(false); } x++; valeur = valeur/2; } for (int i = (result.size() - 1); i >= 0; i--) { reversedBin.push_back(result[i]); } this->binaryTab = reversedBin; return reversedBin; }
c714c4e3cd1a80ea0ad47c249f2d0dcc88213e5e
d8bab638248606cb91fd9d9e87983b5a5e018130
/LeetCode/面试题10.10. 数字流的秩.cpp
e9d67208e9533c9d92110275e2cf47af8d3c3024
[]
no_license
ning2510/Think-twice-Code-once
cbb8c06a6b55b6c74e4361ecf879b14b0a0e74de
45e2fb2448cd85df451722e562fc146db5910cde
refs/heads/master
2023-01-01T00:04:47.509070
2020-10-24T07:01:07
2020-10-24T07:01:07
264,395,014
2
0
null
null
null
null
UTF-8
C++
false
false
830
cpp
面试题10.10. 数字流的秩.cpp
class StreamRank { public: int n = 50000, m = 0; vector <int> c; int lowbit(int x) { return x & (-x); } void update(int i, int x) { while(i <= n) { c[i] += x; i += lowbit(i); } } int get_sum(int i) { int ans = 0; while(i > 0) { ans += c[i]; i -= lowbit(i); } return ans; } StreamRank() { c.resize(50005, 0); } void track(int x) { if(!x) m++; else update(x, 1); } int getRankOfNumber(int x) { if(!x) return m; else return m + get_sum(x); } }; /** * Your StreamRank object will be instantiated and called as such: * StreamRank* obj = new StreamRank(); * obj->track(x); * int param_2 = obj->getRankOfNumber(x); */
b3a40f6969b8b6f3efc181807ae62786f366b1a3
7a01fb04eda4110409e65f8880520bc4fcb8f4a6
/Introduction_to_Programming/ITP1_8_C.cpp
40bd8b25eaab311e6c1480b097aabde149ebbf31
[]
no_license
rawsk/AOJ
392ee01226181163bc947645adc1e3cc70ca71ac
2fbfd8cff3a824e539ed9896971ccdfa862a2d51
refs/heads/master
2021-05-31T22:25:32.637611
2016-06-23T08:24:40
2016-06-23T08:24:40
null
0
0
null
null
null
null
UTF-8
C++
false
false
312
cpp
ITP1_8_C.cpp
#include <iostream> #include <cctype> using namespace std; int main(){ char c; int count[26] = {0}; while(cin>>c){ //if(c=='\n') break; int num = tolower(c) - 'a'; count[num]++; } for(int i=0;i<26;i++){ char alphabet = i + 'a'; cout << alphabet << " : " << count[i] << endl; } }
a85a981d4a20050be88ff67d8db0cff90f794a9f
1e15ef03b494d1e491b42ca580395c8001d97df1
/using_markers/src/basic_shapes.cpp
667c03c43ae20cbd2ab14ac9a278fb8536b3cdfe
[ "MIT" ]
permissive
steinzwerink/rviz
c07a41388f73ed92d47de7a993f45dfe8676e3c4
5cbe5f72f7f2d846e41bfedcf4c8a70a32697300
refs/heads/master
2020-06-02T12:25:01.307729
2019-10-31T11:24:48
2019-10-31T11:24:48
191,153,476
0
0
null
null
null
null
UTF-8
C++
false
false
299
cpp
basic_shapes.cpp
#include <ros/ros.h> #include <visualization_msgs/Marker.h> #include <sensor_msgs/JointState.h> #include <tf/transform_broadcaster.h> void chatterCallback(const sensor_msgs::JointState::ConstPtr& msg) { ROS_INFO("I heard: [%f]", msg->position[0]); } int main( int argc, char** argv ) { }
d8abfebe22100629bfbde8921352aec4becafba8
2f557f60fc609c03fbb42badf2c4f41ef2e60227
/PhysicsTools/RooStatsCms/interface/FeldmanCousinsBinomialInterval.h
8988aa6063171942bc1622ba91630006474722e2
[ "Apache-2.0" ]
permissive
CMS-TMTT/cmssw
91d70fc40a7110832a2ceb2dc08c15b5a299bd3b
80cb3a25c0d63594fe6455b837f7c3cbe3cf42d7
refs/heads/TMTT_1060
2020-03-24T07:49:39.440996
2020-03-04T17:21:36
2020-03-04T17:21:36
142,576,342
3
5
Apache-2.0
2019-12-05T21:16:34
2018-07-27T12:48:13
C++
UTF-8
C++
false
false
745
h
FeldmanCousinsBinomialInterval.h
#ifndef PhysicsTools_RooStatsCms_FeldmanCousinsBinomialInterval_h #define PhysicsTools_RooStatsCms_FeldmanCousinsBinomialInterval_h #if (defined (STANDALONE) or defined (__CINT__) ) #include "BinomialNoncentralInterval.h" #else #include "PhysicsTools/RooStatsCms/interface/BinomialNoncentralInterval.h" #endif struct FeldmanCousinsSorter { bool operator()(const BinomialProbHelper& l, const BinomialProbHelper& r) const { return l.lratio() > r.lratio(); } }; class FeldmanCousinsBinomialInterval : public BinomialNoncentralInterval<FeldmanCousinsSorter> { const char* name() const override { return "Feldman-Cousins"; } #if (defined (STANDALONE) or defined (__CINT__) ) ClassDef(FeldmanCousinsBinomialInterval,1) #endif }; #endif
c5bf26fe2cfcd1b93e4ca69f64e8f605ceacb717
ef6174304d7c6a8c83d1b8c7f13447d67ca25941
/P_8_Material/Power.cpp
0c006871ce7bd2168f3188a825670a1e89d7b15e
[]
no_license
aabedraba/practicas_material_alumnos
15cb45e8d72ced7d329598e2929417cfbacb31a3
94ed18236a178b1110983dbd83a074a51a724e0b
refs/heads/master
2021-01-20T05:37:28.747556
2018-04-03T19:37:49
2018-04-03T19:37:49
101,458,162
0
0
null
2017-08-26T02:55:19
2017-08-26T02:55:19
null
UTF-8
C++
false
false
1,986
cpp
Power.cpp
/** * @file Poder.cpp * @author algarcia * * @date 6 de abril de 2016 */ #include <stdexcept> #include <sstream> #include "Power.h" Power::Power( string name, string description, string affectsTo, float destructiveCapacity ) : _name(name), _description(description), _affectsTo(affectsTo), _destructiveCapacity(destructiveCapacity) { if (destructiveCapacity < 0) { throw std::invalid_argument("Power::Power: destructive capacity can't be negative"); } } Power::Power(const Power& orig) : _name(orig._name), _description(orig._description), _affectsTo(orig._affectsTo), _destructiveCapacity(orig._destructiveCapacity) { } Power::~Power() { } void Power::setName( string name ) { this->_name = name; } string Power::getName( ) const { return _name; } void Power::setDestructiveCapacity( float destructiveCapacity ) { if (destructiveCapacity < 0) { throw std::invalid_argument("Power::setDestructiveCapacity: the value " "of the capacity can't be negative"); } this->_destructiveCapacity = destructiveCapacity; } float Power::getDestructiveCapacity( ) const { return _destructiveCapacity; } void Power::setAffectsTo( string affectsTo ) { this->_affectsTo = affectsTo; } string Power::getAffectsTo( ) const { return _affectsTo; } void Power::setDescription( string description ) { this->_description = description; } string Power::getDescription( ) const { return _description; } string Power::toCSV() const{ std::stringstream aux; aux << _name << ";" << _description << ";" << _affectsTo << ";" << _destructiveCapacity; return ( aux.str()); } Power& Power::operator=(const Power& orig) { if (this != &orig) { _name = orig._name; _description = orig._description; _affectsTo = orig._affectsTo; _destructiveCapacity = orig._destructiveCapacity; } return ( *this); }
206d0cd22ea6e33df0b849c1fb34d4cec2a9ba14
94699ef655bc79cdf83573b022107150ed734c48
/transaction.h
2bbecf45a28546214d5117ae4e6e55f33a61648e
[]
no_license
tyyama/CSS-343-Project-4
f18408670b75bb572937c7383838dc1a403d4fff
b391b3b1dc4fdd124cfc4f13c538678f1383af85
refs/heads/master
2021-01-09T06:34:50.349656
2016-06-09T06:22:06
2016-06-09T06:22:06
60,425,770
0
0
null
null
null
null
UTF-8
C++
false
false
535
h
transaction.h
//Implementation Group:Billy Agung Tjahjady and Tyler Yamamoto //6-8-16 //Program 4 Implementation #include <iostream> #include "movie.h" using namespace std; class Transaction{ public: static Transaction *read_commands(string transType); //Factory Method char getTransactionType(); Movie getMovie(); private: char transactionType; Movie movie; protected: Transaction(char transactionType, Movie movie); }; #include "transaction.cpp" #include "return.h" #include "borrow.h"
f241899874a566750490fae186f6b1734e99f1c2
0726c8bd994943bcde43443b3a76b94ede9ad845
/PointOfSale/processfingerprint.h
9708455ad5dcc322b3c9ed4e1979051e1202ca98
[ "MIT" ]
permissive
pablovicente/fingerprint-payment-system
b1eed039fd62cdab3cdae8e60fe1bd1e9dc69a1e
c8e7eb4ca6059c9240e6f9150237d02d435e40c4
refs/heads/master
2021-04-29T04:31:13.897824
2017-01-04T08:24:55
2017-01-04T08:24:55
77,994,749
0
0
null
null
null
null
UTF-8
C++
false
false
3,447
h
processfingerprint.h
#ifndef PROCESSFINGERPRINT_H #define PROCESSFINGERPRINT_H #include <opencv2/opencv.hpp> #include "opencv2/imgproc/imgproc.hpp" #include <boost/thread.hpp> #include <QObject> #include <QThread> #include "ConstantsFingerprint.h" #include "mathoperation.h" #include "normalize.h" #include "segmentation.h" #include "orientation.h" #include "frequency.h" #include "filter.h" #include "binarization.h" #include "thinning.h" #include "minutiaextractor.h" #include "minutia.h" #include "angle.h" #include "matching.h" enum ImageSource { Scanner, File, NotKnown }; /*! * \brief The ProcessFingerprint class Clase que recoge la funcionalidad encargada de encamsular el procesamiento de la imagen */ class ProcessFingerprint : public QObject { Q_OBJECT public: /*! * \brief ProcessFingerprint Contructor * \param parent Indica el padre de la clase para esa instancia */ explicit ProcessFingerprint(QObject *parent = 0); /*! * \brief process Metodo que realiza el procesamiento de la imagen original calculando todas la imagenes intermedias * \param imagesNames Nombre de las imagenes a calcular * \param tam Tamaño deseado para las imagenes */ void process(QStringList imagesNames, int tam); /*! * \brief obtainMinutiaeFromSourceImage Metodo que calcula las minucias de la imagen original * \param color cv::Mat que contiene la imagen original * \param tam Tamaño deseado para la imagen * \param minutiaes Vector en el que se van a almacenar las minucias * \param numberImage Orden de la imagen que se va a procesar * \param */ void obtainMinutiaeFromSourceImage(cv::Mat &color, int tam, std::vector<Minutia> &minutiaes, int numberImage, ImageSource source); /*! * \brief obtainMinutiaeFromSourceImageAsync * \param color * \param tam */ void obtainMinutiaeFromSourceImageAsync(cv::Mat &color, int tam); /*! * \brief resize Metodo que recalcula el tamaño de la imagen * \param src cv::Mat que contiene la imagen original * \param tam Tamaño deseado para la nueva imagen * \return cv::Mat que contiene la imagen con el nuevo tamaño */ cv::Mat resize(cv::Mat &src, int tam); /*! * \brief toBlackAndWhite Metodo que transforma la imagen a escala de grises * \param src cv::Mat que contiene la imagen original * \return cv::Mat que contiene la imagen transformada */ cv::Mat toBlackAndWhite(cv::Mat &src); /*! * \brief images Hash que contiene todas la imagenes calculadas durante el procesamiento */ QHash<QString,cv::Mat> images; std::vector<Minutia> minutiaeExtracted; signals: /*! * \brief finishedProcessFingerprint Señal emitida cuando termina el procesamiento */ void finishedProcessFingerprint(void ); /*! * \brief progressValueProcessFingerprint Señal emitida duarnte el procesamiento * \param message Mensaje emitido */ void progressValueProcessFingerprint(QString message); /*! * \brief finishedFingerprintComparison Señal emitida cuando termina el proceso de compracion */ void finishedFingerprintComparison(void ); /*! * \brief progressValueCompareFingerprints Señal emitida duarnte el proceso de comparacion * \param message Mensaje emitido */ void progressValueCompareFingerprints(QString message); }; #endif // PROCESSFINGERPRINT_H
3398816bbe24c87e4bcabdb6574a4ce03c988311
3a50c0712e0a31b88d0a5e80a0c01dbefc6a6e75
/thrift/lib/cpp2/protocol/TableBasedSerializer.cpp
cd4b4c3221a843ccb69727ec66450658c3d9d87d
[ "Apache-2.0" ]
permissive
facebook/fbthrift
3b7b94a533666c965ce69cfd6054041218b1ea6f
53cf6f138a7648efe5aef9a263aabed3d282df91
refs/heads/main
2023-08-24T12:51:32.367985
2023-08-24T08:28:35
2023-08-24T08:28:35
11,131,631
2,347
666
Apache-2.0
2023-09-01T01:44:39
2013-07-02T18:15:51
C++
UTF-8
C++
false
false
4,450
cpp
TableBasedSerializer.cpp
/* * Copyright (c) Meta Platforms, Inc. and affiliates. * * 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 <thrift/lib/cpp2/protocol/TableBasedSerializerImpl.h> #include <thrift/lib/cpp2/protocol/BinaryProtocol.h> #include <thrift/lib/cpp2/protocol/CompactProtocol.h> #include <thrift/lib/cpp2/protocol/SimpleJSONProtocol.h> namespace apache { namespace thrift { namespace detail { #define THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( \ TypeClass, Type, ThriftType, TTypeValue) \ const TypeInfo TypeToInfo<type_class::TypeClass, Type>::typeInfo = { \ protocol::TType::TTypeValue, \ get<ThriftType, Type>, \ reinterpret_cast<VoidFuncPtr>(identity(set<Type, ThriftType>)), \ nullptr, \ } // Specialization for numbers. THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::int8_t, std::int8_t, T_BYTE); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::int16_t, std::int16_t, T_I16); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::int32_t, std::int32_t, T_I32); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::int64_t, std::int64_t, T_I64); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::uint8_t, std::int8_t, T_BYTE); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::uint16_t, std::int16_t, T_I16); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::uint32_t, std::int32_t, T_I32); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO( integral, std::uint64_t, std::int64_t, T_I64); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO(integral, bool, bool, T_BOOL); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO(floating_point, float, float, T_FLOAT); THRIFT_DEFINE_PRIMITIVE_TYPE_TO_INFO(floating_point, double, double, T_DOUBLE); // Specialization for string. #define THRIFT_DEFINE_STRING_TYPE_TO_INFO(TypeClass, ActualType, ExtVal) \ const StringFieldType TypeToInfo<type_class::TypeClass, ActualType>::ext = \ ExtVal; \ const TypeInfo TypeToInfo<type_class::TypeClass, ActualType>::typeInfo = { \ /* .type */ protocol::TType::T_STRING, \ /* .get */ nullptr, \ /* .set */ nullptr, \ /* .typeExt */ &ext, \ } THRIFT_DEFINE_STRING_TYPE_TO_INFO(string, std::string, StringFieldType::String); THRIFT_DEFINE_STRING_TYPE_TO_INFO( string, folly::fbstring, StringFieldType::String); THRIFT_DEFINE_STRING_TYPE_TO_INFO(binary, std::string, StringFieldType::Binary); THRIFT_DEFINE_STRING_TYPE_TO_INFO( binary, folly::fbstring, StringFieldType::Binary); THRIFT_DEFINE_STRING_TYPE_TO_INFO(binary, folly::IOBuf, StringFieldType::IOBuf); THRIFT_DEFINE_STRING_TYPE_TO_INFO( binary, std::unique_ptr<folly::IOBuf>, StringFieldType::IOBufPtr); template void read<CompactProtocolReader>( CompactProtocolReader* iprot, const StructInfo& structInfo, void* object); template size_t write<CompactProtocolWriter>( CompactProtocolWriter* iprot, const StructInfo& structInfo, const void* object); template void read<BinaryProtocolReader>( BinaryProtocolReader* iprot, const StructInfo& structInfo, void* object); template size_t write<BinaryProtocolWriter>( BinaryProtocolWriter* iprot, const StructInfo& structInfo, const void* object); template void read<SimpleJSONProtocolReader>( SimpleJSONProtocolReader* iprot, const StructInfo& structInfo, void* object); template size_t write<SimpleJSONProtocolWriter>( SimpleJSONProtocolWriter* iprot, const StructInfo& structInfo, const void* object); } // namespace detail } // namespace thrift } // namespace apache
806d428189029aa106d7a3582075c3e88d2a951a
3c5c46a7ff8c75a261b5261599bc0d98bb87eff4
/QtApp/QStock/QStock/Data/YahooHistoryItem.h
9ccec7927cc4ac9f5b8c73ef03ca60d04b91784b
[]
no_license
deepblueparticle/QStock
8aac6ce16c342adcbdffc46f6f1258f070a36fa4
618f29bb2cffe8c15cc9c9d8ac22ab8cd77ee046
refs/heads/master
2020-03-20T19:04:07.098250
2018-03-01T04:45:06
2018-03-01T04:45:06
null
0
0
null
null
null
null
UTF-8
C++
false
false
761
h
YahooHistoryItem.h
#ifndef HAHOOHISTORYITEM_H #define HAHOOHISTORYITEM_H #include "types.h" #include <QString> #include <QDate> enum{ YahooHistoryItemDate, YahooHistoryItemOpen, YahooHistoryItemHigh, YahooHistoryItemLow, YahooHistoryItemClose, YahooHistoryItemVolume, YahooHistoryItemMaxAdj, YahooHistoryItemMax }; typedef struct _YahooHistoryItem{ QDate date; double open; double high; double low; double close; double volume; double adj; }YahooHistoryItem; class YahooHistoryItemHelper { private: /* line string: 2014-12-16,38.36,38.62,37.49,38.11,4759700,38.11 */ public: YahooHistoryItemHelper(); static STATUS string2item(QString &lineStr, YahooHistoryItem& item); }; #endif // HAHOOHISTORYITEM_H
e58073092a59590561996f793ddeebd47f4b3e42
fd5808fd77fc2bc4603bee0a6e81fcb09ffba78e
/Character.h
41fe38aa159f31fe445b872a6303376b5f902a8f
[]
no_license
alextnlr/ProjectTacticalRPG
f9fbaa8d32ee73d7079900802b14b47fa751ada8
f43469b2f8ea76cc7aa72bd174b636392133f7bc
refs/heads/master
2023-02-12T23:36:28.089198
2021-01-04T15:25:17
2021-01-04T15:25:17
297,907,941
4
0
null
null
null
null
UTF-8
C++
false
false
2,236
h
Character.h
#ifndef Character_H_INCLUDED #define Character_H_INCLUDED #include "FileFunctions.h" #include "Spell.h" #include "StatusList.h" class Character { public: //Constructors Character(int pv, int ac, vector<Spell> spells, string nom, int team, int x, int y); Character(Character const& copie); //Simpler Getters int getAc(); int getBonusAttack(); int getBonusDamage(); SDL_Rect getCoord() const; bool getEnd() const; int getFacing() const; int getFacingMax() const; int getHp() const; int getMaxHp() const; int getHurt() const; int getMana() const; string getName() const; int getSpellDmg(); string getSpellName(int no); int getSelectedSpell() const; int getMaxSpell() const; bool* getStatus(); int getState() const; int getTeam() const; TerrainEffect getTerrain(); int getWait() const; //Transformative getters bool canAttack(); SDL_Rect getFrame(bool phy_frame); SDL_Rect getDmgDisplayer(int textW, int textH); vector<MaptabP> spellGrid(const MaptabP* map); bool isAlive() const; //Actions and setters void takeDamage(int dmg, int attackRoll, spellOutEffect effect, int power); void activateInEffect(); void activateOutEffect(spellOutEffect effect, int power); void updateStatus(); void decreaseMana(); void setPosition(int x, int y); void walk(int direction, MaptabP* map); void checkTerrain(const MaptabP* map); void attack(Character &cible, const MaptabP *map, int attackRoll); void heal(int qteHeal); void recoverMana(int nbMana); void setState(int state); void setWait(int temps); void setFacing(const MaptabP *map, int dir); void decreaseWait(); void newTurn(); void endTurn(); void selectSpell(int select); private: int m_hp; int m_maxHp; int m_ac; int m_mvt; int m_mana; string m_name; int m_pos[2]; vector<Spell> m_spells; StatusList m_status; int m_hurt; int m_dgtAnim; int m_frameIdle; int m_state; int m_wait; int m_facing; int m_team; int m_selectedSpell; bool m_end; int m_bonusAtt; int m_bonusDmg; }; #endif // Character_H_INCLUDED
e66d9b7e1c283366176bd1133a79639738ddf13b
9e790064e86b7c91e271752db4f5ab1a29f17c87
/src/myWordBook/mainwindow.h
37a27fec85293fb0010222cc1c5c761804c4bed1
[]
no_license
XeonWangYue/simpleRecite
9c165031ac36381a1d722c4cbf402837241366bc
d749fdbef41405d8e73145ee1d9ccf5480a68a2f
refs/heads/main
2023-03-11T19:50:44.886055
2021-03-01T15:19:28
2021-03-01T15:19:28
343,429,103
0
0
null
null
null
null
UTF-8
C++
false
false
402
h
mainwindow.h
#ifndef MAINWINDOW_H #define MAINWINDOW_H #include <QMainWindow> #include "recite.h" #include "mymain.h" QT_BEGIN_NAMESPACE namespace Ui { class MainWindow; } QT_END_NAMESPACE class MainWindow : public QMainWindow { Q_OBJECT public: MainWindow(QWidget *parent = nullptr); ~MainWindow(); private: Recite* recite; MyMain* mymain; Ui::MainWindow *ui; }; #endif // MAINWINDOW_H
ec1b5cf4c43b7a83adc689d6713885cce5961703
6b8fff0eeb75ad266af0ec2b9e9aaf28462c2a73
/GCJ_Dataset/Data/aknow/2974486_5644738749267968_aknow.cpp
2561c1176cf6a1427091c9676b38177e35579907
[]
no_license
kotunde/SourceFileAnalyzer_featureSearch_and_classification
030ab8e39dd79bcc029b38d68760c6366d425df5
9a3467e6aae5455142bc7a5805787f9b17112d17
refs/heads/master
2020-09-22T04:04:41.722623
2019-12-07T11:59:06
2019-12-07T11:59:06
225,040,703
0
1
null
null
null
null
UTF-8
C++
false
false
2,718
cpp
2974486_5644738749267968_aknow.cpp
#include <algorithm> #include <cassert> #include <cmath> #include <cstdio> #include <cstdlib> #include <cstring> #include <iomanip> #include <iostream> #include <map> #include <queue> #include <set> #include <sstream> #include <string> #include <vector> using namespace std; #define clr(x) memset((x), 0, sizeof(x)) #define all(x) (x).begin(), (x).end() #define pb push_back #define mp make_pair #define sz size() #define For(i, st, en) for(int i=(st); i<=(int)(en); i++) #define Forn(i, st, en) for(int i=(st); i<=(int)(en); i++) #define Ford(i, st, en) for(int i=(st); i>=(int)(en); i--) #define forn(i, n) for(int i=0; i<(int)(n); i++) #define ford(i, n) for(int i=(n)-1; i>=0; i--) #define fori(it, x) for (__typeof((x).begin()) it = (x).begin(); it != (x).end(); it++) template <class _T> inline _T sqr(const _T& x) { return x * x; } template <class _T> inline string tostr(const _T& a) { ostringstream os(""); os << a; return os.str(); } template <class _T> inline istream& operator << (istream& is, const _T& a) { is.putback(a); return is; } // Types typedef long double ld; typedef signed long long i64; typedef signed long long ll; typedef unsigned long long u64; typedef unsigned long long ull; typedef set < int > SI; typedef vector < ld > VD; typedef vector < int > VI; typedef vector < bool > VB; typedef vector < string > VS; typedef map < string, int > MSI; typedef pair < int, int > PII; // Constants const ld PI = 3.1415926535897932384626433832795; const ld EPS = 1e-11; //#define debug(...) #define debug printf int N; set<double> naomi, ken; int normal(set<double> w1, set<double> w2) { int score = 0; for (double w : w1) { auto it = upper_bound(w2.begin(), w2.end(), w); if (it != w2.end()) { w2.erase(it); } else { w2.erase(w2.begin()); score++; } } return score; } int cheat(set<double> w1, set<double> w2) { int score = 0; for (double w : w1) { if (w < *w2.begin()) { w2.erase(prev(w2.end())); } else { w2.erase(w2.begin()); score++; } } return score; } int main() { int caseN; scanf("%d", &caseN); double weight; for (int cc = 1; cc <= caseN; ++cc) { printf("Case #%d:", cc); naomi.clear(); ken.clear(); cin >> N; for (int i = 0; i < N; ++i) { cin >> weight; naomi.insert(weight); } for (int i = 0; i < N; ++i) { cin >> weight; ken.insert(weight); } cout << " " << cheat(naomi, ken) << " " << normal(naomi, ken); printf("\n"); } return 0; }
432d31b1792de75edeb7ebb5050ac5c451f2d3b0
4128d4107121bece31bdce392b0b03af55f7ede9
/for_each.cpp
81a09b8ff3300c2ed52f790353f90e1f2d40609a
[]
no_license
ankitsaini84/CPP-Notes
57f566c0d403dacb6306e43b958bc7092ceec23f
b63af7ecd327d808dcd60bcd6bffa8a281cb031c
refs/heads/master
2023-02-10T11:07:20.028786
2021-01-09T06:28:26
2021-01-09T06:28:26
321,050,343
1
0
null
2020-12-25T11:14:09
2020-12-13T11:37:19
C++
UTF-8
C++
false
false
1,270
cpp
for_each.cpp
/** * NOTE: FOR-EACH loops are also known as RANGE-BASED FOR-LOOPS * Syntax - * for(element_declaration : array) * statement; * * The loop wil iterate through each element in array, assigning the value of the current * array element to the variable decalred in element_declaration. * TIP: For best results, element_decalaration should always have the same type as the array * elements, otherwise type conversion will occur for each element. */ #include <iostream> int main() { constexpr int fibonacci[] {0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89}; std::cout << "Iterating each element of fibonacci series ..\n"; for(auto number: fibonacci) { // TIP: Keyword 'auto' use - Good practice // It's a good practice to use auto here, so that element_declaration type matches the // type of the elements of the array. std::cout << number << ' '; } std::cout << '\n'; /** * IMP:TIP: * #1. For-each loop work with list-like structures like * Vectors, * Linked lists, * Trees & * Maps. * * #2. They don't work with pointers to an array, though. * * #3. For-each don't provide a direct way to get the array index of the current element. */ return 0; }
2fcd77711bf52a1c1b4cc1337b2d73d01bdcc2e5
6761b1265c3fa0661468acd93bd9a8949963088f
/Assignment Solutions/Week 3/3-7.cpp
9ae4fb65fc837d9f2bff1109812d3ad4d90e732a
[]
no_license
doomsday861/Algorithmic-Toolbox
a5f1d8040ac3888686811c1268a9373b5f603bc5
f7c3c350a685be450cc0c0e7895f1aa035d0dbcf
refs/heads/master
2022-06-21T09:29:56.278606
2020-05-13T15:51:44
2020-05-13T15:51:44
263,664,922
0
0
null
null
null
null
UTF-8
C++
false
false
541
cpp
3-7.cpp
#include<bits/stdc++.h> using namespace std; using std::vector; using std::string; #define ll long long bool duh(string a, string b) { string ab = a.append(b); string ba = b.append(a); return ab.compare(ba)>0?1:0; } string largest_number(vector<string> a) { sort(a.begin(),a.end(),duh); string ans =""; for(ll i=0;i<a.size();i++) ans +=a[i]; return ans; } int main() { int n; std::cin >> n; vector<string> a(n); for (size_t i = 0; i < a.size(); i++) { std::cin >> a[i]; } std::cout << largest_number(a); }
289963369527747d7cd19f3257228566ce63f5ec
e7b10df7054f5c9b35cbefd5502dbde907093369
/code/core/test/checks/literal_checks_test.cc
30aa724a75d953727ebf4c625e278637185738af
[]
no_license
zmanchun/insieme
749b2ce1b32fed04d715d2b702cddb3b6610f36d
d6c7fda913b771408d8fe9e2c10d097dd5800def
refs/heads/master
2020-12-29T00:26:14.946984
2015-11-19T15:52:58
2015-11-19T15:53:31
46,570,918
0
1
null
2015-11-20T15:43:09
2015-11-20T15:43:09
null
UTF-8
C++
false
false
7,793
cc
literal_checks_test.cc
/** * Copyright (c) 2002-2015 Distributed and Parallel Systems Group, * Institute of Computer Science, * University of Innsbruck, Austria * * This file is part of the INSIEME Compiler and Runtime System. * * We provide the software of this file (below described as "INSIEME") * under GPL Version 3.0 on an AS IS basis, and do not warrant its * validity or performance. We reserve the right to update, modify, * or discontinue this software at any time. We shall have no * obligation to supply such updates or modifications or any other * form of support to you. * * If you require different license terms for your intended use of the * software, e.g. for proprietary commercial or industrial use, please * contact us at: * insieme@dps.uibk.ac.at * * We kindly ask you to acknowledge the use of this software in any * publication or other disclosure of results by referring to the * following citation: * * H. Jordan, P. Thoman, J. Durillo, S. Pellegrini, P. Gschwandtner, * T. Fahringer, H. Moritsch. A Multi-Objective Auto-Tuning Framework * for Parallel Codes, in Proc. of the Intl. Conference for High * Performance Computing, Networking, Storage and Analysis (SC 2012), * IEEE Computer Society Press, Nov. 2012, Salt Lake City, USA. * * All copyright notices must be kept intact. * * INSIEME depends on several third party software packages. Please * refer to http://www.dps.uibk.ac.at/insieme/license.html for details * regarding third party software licenses. */ #include <gtest/gtest.h> #include "insieme/core/ir_builder.h" #include "insieme/core/checks/full_check.h" namespace insieme { namespace core { namespace checks { TEST(LiteralFormat, BoolLiterals) { NodeManager manager; IRBuilder builder(manager); // there are two correct literals NodePtr ok1 = builder.boolLit(true); NodePtr ok2 = builder.boolLit(false); // those should be fine EXPECT_TRUE(check(ok1).empty()) << check(ok1); EXPECT_TRUE(check(ok2).empty()) << check(ok2); TypePtr boolType = manager.getLangBasic().getBool(); NodePtr err1 = builder.literal(boolType, "0"); NodePtr err2 = builder.literal(boolType, "1"); NodePtr err3 = builder.literal(boolType, "True"); NodePtr err4 = builder.literal(boolType, "False"); // those should all be wrong EXPECT_EQ(1u, check(err1).size()); EXPECT_EQ(1u, check(err2).size()); EXPECT_EQ(1u, check(err3).size()); EXPECT_EQ(1u, check(err4).size()); } TEST(LiteralFormat, FloatLiterals) { NodeManager manager; IRBuilder builder(manager); // there are two correct literals NodePtr ok1 = builder.floatLit(0.3f); // those should be fine EXPECT_TRUE(check(ok1).empty()) << check(ok1); TypePtr floatType = manager.getLangBasic().getReal4(); NodePtr err1 = builder.literal(floatType, "ad"); NodePtr err2 = builder.literal(floatType, "'a'"); NodePtr err3 = builder.literal(floatType, "0.03"); NodePtr err4 = builder.literal(floatType, ".03"); // those should all be wrong EXPECT_EQ(1u, check(err1).size()); EXPECT_EQ(1u, check(err2).size()); EXPECT_EQ(0, check(err3).size()); // lets just ignore this for a chance EXPECT_EQ(1u, check(err4).size()); } TEST(LiteralFormat, DoubleLiterals) { NodeManager manager; IRBuilder builder(manager); // there are two correct literals NodePtr ok1 = builder.doubleLit(0.3); // those should be fine EXPECT_TRUE(check(ok1).empty()) << check(ok1); TypePtr doubleType = manager.getLangBasic().getReal8(); NodePtr err1 = builder.literal(doubleType, "ad"); NodePtr err2 = builder.literal(doubleType, "'a'"); NodePtr err3 = builder.literal(doubleType, "0.03f"); NodePtr err4 = builder.literal(doubleType, ".03"); // those should all be wrong EXPECT_EQ(1u, check(err1).size()); EXPECT_EQ(1u, check(err2).size()); EXPECT_EQ(1u, check(err3).size()); EXPECT_EQ(1u, check(err4).size()); // test de-normalized values ok1 = builder.doubleLit(5e-324); EXPECT_TRUE(check(ok1).empty()) << check(ok1); } TEST(LiteralFormat, IntLiterals) { NodeManager manager; IRBuilder builder(manager); auto& basic = manager.getLangBasic(); // there are two correct literals NodePtr node; // stuff that should work node = builder.intLit(12); EXPECT_TRUE(check(node).empty()) << "\nNode: " << node << "\nError: " << check(node); node = builder.uintLit(12); EXPECT_TRUE(check(node).empty()) << "\nNode: " << node << "\nError: " << check(node); node = builder.uintLit(0); EXPECT_TRUE(check(node).empty()) << "\nNode: " << node << "\nError: " << check(node); // stuff that should not node = builder.literal(basic.getUInt4(), "ab"); EXPECT_EQ(1u, check(node).size()); node = builder.literal(basic.getUInt4(), "'a'"); EXPECT_EQ(1u, check(node).size()); node = builder.literal(basic.getUInt4(), "0.9"); EXPECT_EQ(1u, check(node).size()); // stuff that is out of bound node = builder.literal(basic.getUInt1(), "1000"); EXPECT_EQ(1u, check(node).size()); } TEST(LiteralFormat, limitsMax) { NodeManager manager; IRBuilder builder(manager); const lang::BasicGenerator& basic = manager.getLangBasic(); std::vector<std::pair<TypePtr, std::string>> types; EXPECT_EQ(0, check(builder.literal(basic.getInt1(), toString(INT8_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt2(), toString(INT16_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt4(), toString(INT32_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt8(), toString(INT64_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt16(), toString(INT64_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt1(), toString(INT8_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt2(), toString(INT16_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt4(), toString(INT32_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt8(), toString(INT64_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getInt16(), toString(INT64_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt1(), toString(UINT8_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt2(), toString(UINT16_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt4(), toString(UINT32_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt8(), toString(UINT64_MAX) + "u")).size()); EXPECT_EQ(1, check(builder.literal(basic.getUInt8(), toString(UINT64_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt8(), toString(UINT64_MAX) + "u")).size()); EXPECT_EQ(1, check(builder.literal(basic.getUInt8(), toString(UINT64_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getUInt16(), toString(UINT64_MAX) + "u")).size()); EXPECT_EQ(1, check(builder.literal(basic.getUInt16(), toString(UINT64_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(0.0))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(.0))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(190))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(-190.0))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(-.01))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(FLT_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal4(), toString(FLT_MIN))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal8(), toString(-1e-10))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal8(), toString(DBL_MAX))).size()); EXPECT_EQ(0, check(builder.literal(basic.getReal8(), toString(DBL_MIN))).size()); } } // end namespace checks } // end namespace core } // end namespace insieme
209faccb330680bfcc05875ed1bab1b83d014ad1
156437c3b20716b79c111523784d723c5d388412
/1sem/16 из задавальника.cpp
16fe12224e394424c37c029e4ddbaaf919dc4795
[]
no_license
heyfaraday/coding_1year
fd9203e9a44b32e423798085e3be568fa197aecb
b84c67d8a4c166498072b9b65949dba09b498520
refs/heads/master
2021-03-24T12:49:44.777739
2017-07-18T23:07:29
2017-07-18T23:07:29
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,200
cpp
16 из задавальника.cpp
#include <conio.h> #include <math.h> #include <stdio.h> struct fraction { char sign; int ch, zn; void In() { scanf("%d", &ch); scanf("%d", &zn); reduce(); } void reduce() { sign = 1; if (ch * zn < 0) { sign = -1; ch = abs(ch); zn = abs(zn); } if (ch % zn == 0) { ch = ch / zn; zn = 1; } if (zn % ch == 0) { zn = zn / ch; ch = 1; } for (int i = 2; i <= zn || i <= ch; i++) { if (zn % i == 0 && ch % i == 0) { zn = zn / i; ch = ch / i; i--; } } } }; fraction sum(fraction a, fraction b) { fraction c; c.zn = a.zn * b.zn; c.ch = a.ch * b.zn + b.ch * a.zn; c.reduce(); return c; } fraction min(fraction a, fraction b) { fraction c; c.zn = a.zn * b.zn; c.ch = a.ch * b.zn - b.ch * a.zn; c.reduce(); return c; } fraction pr(fraction a, fraction b) { fraction c; c.zn = a.zn * b.zn; c.ch = a.ch * b.ch; c.reduce(); return c; } fraction de(fraction a, fraction b) { fraction c; c.zn = a.zn * b.ch; c.ch = a.ch * b.zn; c.reduce(); return c; } int main() { fraction a, b, c; char chr; scanf("%c", &chr); a.In(); b.In(); switch (chr) { case '+': c = sum(a, b); break; case '-': c = min(a, b); break; case '*': c = pr(a, b); break; case '/': c = de(a, b); break; } printf("\n"); int p; if (c.sign == -1) { printf(" %d\n", c.ch); if (c.zn > c.ch) { for (p = 10; c.zn / p > 0; p *= 10) ; } else { for (p = 10; c.ch / p > 0; p *= 10) ; } printf("- "); for (int i = 10; i <= p; i *= 10) printf("-"); printf("\n"); printf(" %d\n", c.zn); } else { printf("%d\n", c.ch); if (c.zn > c.ch) { for (p = 10; c.zn / p > 0; p *= 10) ; } else { for (p = 10; c.ch / p > 0; p *= 10) ; } for (int i = 10; i <= p; i *= 10) printf("-"); printf("\n"); printf("%d\n", c.zn); } getch(); return 0; }
4cf2a2462b12f568f8864e718dfd9fe99899f64d
693b19cd36f52a503b8ac1c9b54b9be6aeea9e76
/componentes/TMS Component Pack/TMS Scripter Studio Pro/Source/FormScript.hpp
8fed609855adc321966a77347b78d05761a697d6
[]
no_license
chinnyannieb/Meus-Projetos
728e603b451ea4262f9e6f4bf7e3dd05f0d1e79e
6e08497c8fc45c142d7be1c4408f02fa524cd71f
refs/heads/master
2020-12-25T23:58:02.724867
2015-07-05T11:45:08
2015-07-05T11:45:08
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,688
hpp
FormScript.hpp
// CodeGear C++Builder // Copyright (c) 1995, 2010 by Embarcadero Technologies, Inc. // All rights reserved // (DO NOT EDIT: machine generated header) 'FormScript.pas' rev: 22.00 #ifndef FormscriptHPP #define FormscriptHPP #pragma delphiheader begin #pragma option push #pragma option -w- // All warnings off #pragma option -Vx // Zero-length empty class member functions #pragma pack(push,8) #include <System.hpp> // Pascal unit #include <SysInit.hpp> // Pascal unit #include <atScript.hpp> // Pascal unit #include <Forms.hpp> // Pascal unit #include <Windows.hpp> // Pascal unit #include <Classes.hpp> // Pascal unit #include <SysUtils.hpp> // Pascal unit #include <Controls.hpp> // Pascal unit #include <Graphics.hpp> // Pascal unit #include <Dialogs.hpp> // Pascal unit #include <atPascal.hpp> // Pascal unit #include <atBasic.hpp> // Pascal unit #include <ap_Classes.hpp> // Pascal unit //-- user supplied ----------------------------------------------------------- namespace Formscript { //-- type declarations ------------------------------------------------------- class DELPHICLASS TatPascalFormScripter; class PASCALIMPLEMENTATION TatPascalFormScripter : public Atpascal::TatPascalScripter { typedef Atpascal::TatPascalScripter inherited; private: System::UnicodeString FScriptFile; Classes::TList* FAdded; protected: void __fastcall GetControlCount(Atscript::TatVirtualMachine* AMachine); void __fastcall GetControls(Atscript::TatVirtualMachine* AMachine); void __fastcall Prepare(void); void __fastcall AddChildControls(Controls::TWinControl* Control); HIDESBASE void __fastcall AddComponents(Classes::TComponent* AOwner); void __fastcall SetBold(Atscript::TatVirtualMachine* AMachine); void __fastcall SetItalic(void); void __fastcall SetUnderline(void); public: __fastcall virtual TatPascalFormScripter(Classes::TComponent* AOwner); __fastcall virtual ~TatPascalFormScripter(void); virtual void __fastcall Loaded(void); virtual void __fastcall BeforeCompile(void); virtual void __fastcall BeforeLoadCode(void); void __fastcall RegisterConstants(void); __published: __property System::UnicodeString ScriptFile = {read=FScriptFile, write=FScriptFile}; }; class DELPHICLASS TatBasicFormScripter; class PASCALIMPLEMENTATION TatBasicFormScripter : public Atbasic::TatBasicScripter { typedef Atbasic::TatBasicScripter inherited; private: System::UnicodeString FScriptFile; Classes::TList* FAdded; protected: void __fastcall GetControlCount(Atscript::TatVirtualMachine* AMachine); void __fastcall GetControls(Atscript::TatVirtualMachine* AMachine); void __fastcall Prepare(void); void __fastcall AddChildControls(Controls::TWinControl* Control); HIDESBASE void __fastcall AddComponents(Classes::TComponent* AOwner); void __fastcall SetBold(Atscript::TatVirtualMachine* AMachine); void __fastcall SetItalic(void); void __fastcall SetUnderline(void); public: __fastcall virtual TatBasicFormScripter(Classes::TComponent* AOwner); __fastcall virtual ~TatBasicFormScripter(void); virtual void __fastcall Loaded(void); virtual void __fastcall BeforeCompile(void); virtual void __fastcall BeforeLoadCode(void); void __fastcall RegisterConstants(void); __published: __property System::UnicodeString ScriptFile = {read=FScriptFile, write=FScriptFile}; }; //-- var, const, procedure --------------------------------------------------- } /* namespace Formscript */ #if !defined(DELPHIHEADER_NO_IMPLICIT_NAMESPACE_USE) using namespace Formscript; #endif #pragma pack(pop) #pragma option pop #pragma delphiheader end. //-- end unit ---------------------------------------------------------------- #endif // FormscriptHPP
9024c083fee33763c44cfefcbdacb5ad46562082
dfe96e9fa52e009f9bcb4077e643e38e10c5d5c5
/LCD_162.ino
136202dc3a8733681d4e9c6fba255d10adb89d49
[]
no_license
xj4v1x/arduino
7ba76ad0c3064c1db005096449aa58b0bfce4be4
162d6703aa491b40ac0cdac9aaa489273aace281
refs/heads/master
2021-04-09T15:29:22.892001
2019-05-26T20:51:44
2019-05-26T20:51:44
125,735,121
0
0
null
null
null
null
UTF-8
C++
false
false
1,692
ino
LCD_162.ino
#include <LiquidCrystal.h> LiquidCrystal lcd(7, 8, 9, 10, 11, 12); byte A_Button = 5; byte B_Button = 6; byte lcd_backlight = 2; bool light = true; byte menuIndex = 0; bool menuCursor = 0; const int menuMax = 4; const char menuItems[menuMax][15] = { "Set Date/Time", "Set Alarm", "Config", "Exit" }; void setup() { Serial.begin(9600); // set up the LCD's number of columns and rows: lcd.begin(16, 2); pinMode(lcd_backlight, OUTPUT); pinMode(A_Button, INPUT); pinMode(B_Button, INPUT); digitalWrite (lcd_backlight, HIGH); lcd.setCursor(1,0); lcd.print("ALARM"); lcd.setCursor(10,1); lcd.print("CLOCK"); delay(200); light = false; screen(); } void loop() { checkButtons(); } void screen(){ lights(); menu_draw(); } void lights(){ if (light == true){ digitalWrite (lcd_backlight, HIGH); } else { digitalWrite (lcd_backlight, LOW); } } void menu_draw(){ lcd.clear(); lcd.setCursor(2,0); lcd.print(menuItems[menuIndex]); lcd.setCursor(2,1); lcd.print(menuItems[menuIndex+1]); lcd.setCursor(0,menuCursor); lcd.print("-"); } void checkButtons(){ if (digitalRead(A_Button)==HIGH){ delay(200); if (menuCursor==1){ menuIndex = menuIndex + 2; if (menuIndex>=menuMax){ menuIndex = 0; } } menuCursor = !menuCursor; menu_draw(); } if (digitalRead(B_Button)==HIGH){ delay(200); switch (menuCursor + menuIndex){ case 0: Serial.println("Date/Time"); break; case 1: Serial.println("Alarm"); break; case 2: Serial.println("Config"); break; case 3: Serial.println("Exit"); break; } } }
6107e2b1d39f075e9a07dcfca858f6366d96ed54
8f72438d5f4ca7219df3ae7799c3282faab5e33e
/Uva/Uva 10887 Concatenation of Languages.cpp
76b554cd20e1d126dae0e20d34dfeed057e9a991
[]
no_license
mdzobayer/Problem-Solving
01eda863ef2f1e80aedcdc59bbaa48bcaeef9430
a5b129b6817d9ec7648150f01325d9dcad282aed
refs/heads/master
2022-08-15T22:04:18.161409
2022-08-08T11:46:00
2022-08-08T11:46:00
165,687,520
0
1
null
null
null
null
UTF-8
C++
false
false
924
cpp
Uva 10887 Concatenation of Languages.cpp
#include <iostream> #include <set> using namespace std; set <string> mysetA, mysetC, mysetB; int main() { string s; int t, i, test, n, m; cin >> test; //cin.ignore(); for (t = 1; t <= test; ++t) { cin >> n >> m; //cerr << "n is " << n << " m is " << m << endl; cin.ignore(); mysetA.clear(); mysetC.clear(); mysetB.clear(); for (i = 0; i < n; ++i) { getline(cin, s); mysetA.insert(s); } for (i = 0; i < m; ++i) { getline(cin, s); mysetB.insert(s); } set<string>::iterator it, jt; for (it = mysetA.begin(); it != mysetA.end(); ++it) { for (jt = mysetB.begin(); jt != mysetB.end(); ++jt) { mysetC.insert(*it + *jt); } } cout << "Case " << t << ": " << mysetC.size() << endl; } return (0); }
e2698cb6680968e477d56805dfaa288cee208bff
bb9796d2f5d32cb97ae1f6494ee102bdef67ac4a
/cpp/pasha_and_tea_557_B.cpp
cbafd2c5c511c67adf7f3d59fdc757a5c9c1a1c9
[]
no_license
DhruvSharma845/codeforces
4e7d929b73b3937bc82de0030386f6a43ac68927
32e6de613a2033c6897f4de9a3795c99576dafba
refs/heads/master
2023-06-09T00:47:44.665308
2023-06-01T13:10:13
2023-06-01T13:10:13
219,108,405
0
1
null
null
null
null
UTF-8
C++
false
false
796
cpp
pasha_and_tea_557_B.cpp
#include <iostream> #include <vector> #include <algorithm> #include <iomanip> auto main() -> int { int N, W; std::cin >> N >> W; std::vector<int> cupCaps(2*N, 0); for (int i = 0; i < 2 * N; i++) { std::cin >> cupCaps[i]; } std::sort(cupCaps.begin(), cupCaps.end()); double limitCap = static_cast<double>(W) / (3 * N); //std::cout << limitCap << std::endl; if(limitCap < cupCaps[0] && (2 * limitCap) < cupCaps[cupCaps.size() / 2]) { std::cout << std::setprecision(10) << (3 * N * limitCap) << std::endl; } else { double newLimitCap = std::min(static_cast<double>(cupCaps[0]), static_cast<double>(cupCaps[cupCaps.size() / 2]) / 2); std::cout << std::setprecision(10) << (3 * N * newLimitCap) << std::endl; } }
66827d1a877a5b1563583219ff6cc2ae4da34fe9
f6d925cadb47810bbc233f77061f86463e548b2f
/Trie.h
709d55283978aca2911692ff7bcb20c2ff61b2ac
[]
no_license
jsarraffe/Tries
a17d82b4b3483a3618388f7d65868fd00eddc977
582f40c5c6d9a3e3c84e6c67e788d80afd6f4c7a
refs/heads/master
2023-04-17T05:48:01.069741
2021-04-23T23:10:31
2021-04-23T23:10:31
358,740,880
1
0
null
null
null
null
UTF-8
C++
false
false
1,353
h
Trie.h
// // Created by jsarraffe on 4/14/2021. // #ifndef PROJECT3B_TRIE_H #define PROJECT3B_TRIE_H #include <map> #include <vector> class TrieNode{ public: TrieNode(char c) : c(c), isEndOfWord(false), isVisited(false){ children.resize(26, nullptr); } bool &_isEndOfWord(){return isEndOfWord;} char &_C(){return c;} bool &_isVisited(){return isVisited;} std::vector<TrieNode*> &getChildren(){return children;} private: std::vector<TrieNode*> children; char c; bool isEndOfWord; bool isVisited; }; class Trie { public: Trie(): root(new TrieNode('/')){} void insert(std::string word); void insertHelper(TrieNode* currNode, std::string word, int index); TrieNode* getNode(std::string word); TrieNode *getNodeHelper(TrieNode* curr, std::string word, int index); bool search(std::string word); void dfs(std::vector<TrieNode *>, std::vector<TrieNode *> &s); std::vector<std::string> startsWith(std::string prefix); void dfsLocal(TrieNode *r, std::vector<std::string> &answer, std::string &suffix); TrieNode* root; std::vector<TrieNode*> getNeihbors(TrieNode* n); void buildTrie(std::vector<std::string> words); int &_numNodesInTree(){return numNodesInTree;} private: int numNodesInTree = 1; std::string prefix; }; #endif //PROJECT3B_TRIE_H
ec5345a7237a08fb5713fa25db06400234b3b8e3
2bf1feb41888adbee1756a280b77a4274536b5ae
/src/nnet-cache.cpp
3855e79f680367159564a76408f8829062743486
[]
no_license
Liao-YiHsiu/StructureNN
407f77d49f15cd7a8ceb1c7732d23c0177e3758c
d1160fa8f3067bfc1aea314029d0be779f214e01
refs/heads/master
2020-06-04T05:43:06.250622
2015-07-12T03:01:52
2015-07-12T03:01:52
29,764,650
0
0
null
null
null
null
UTF-8
C++
false
false
4,305
cpp
nnet-cache.cpp
#include "nnet-cache.h" CNnet::~CNnet(){ Destroy(); } void CNnet::Propagate(const CuMatrixBase<BaseFloat> &in, CuMatrix<BaseFloat> *out, int index) { // ----------------------------------------------- // setup buffers if (index >= propagate_buf_arr_.size()) { propagate_buf_arr_.resize(index + 1); backpropagate_buf_arr_.resize(index + 1); resizeAll(); } vector<CuMatrix<BaseFloat> >& propagate_buf_ = propagate_buf_arr_[index]; vector<Component*> components_; GetComponents(components_); // ----------------------------------------------- // kaldi original code KALDI_ASSERT(NULL != out); if (NumComponents() == 0) { (*out) = in; // copy return; } // we need at least L+1 input buffers KALDI_ASSERT((int32)propagate_buf_.size() >= NumComponents()+1); propagate_buf_[0].Resize(in.NumRows(), in.NumCols()); propagate_buf_[0].CopyFromMat(in); for(int32 i=0; i<(int32)components_.size(); i++) { components_[i]->Propagate(propagate_buf_[i], &propagate_buf_[i+1]); } (*out) = propagate_buf_[components_.size()]; } // computes backpropagation only, no update. void CNnet::Backpropagate(const CuMatrixBase<BaseFloat> &out_diff, CuMatrix<BaseFloat> *in_diff, int index){ // ----------------------------------------------- // setup buffers KALDI_ASSERT(index < propagate_buf_arr_.size()); vector<CuMatrix<BaseFloat> >& propagate_buf_ = propagate_buf_arr_[index]; vector<CuMatrix<BaseFloat> >& backpropagate_buf_ = backpropagate_buf_arr_[index]; vector<Component*> components_; GetComponents(components_); // ----------------------------------------------- ////////////////////////////////////// // Backpropagation // // 0 layers if (NumComponents() == 0) { (*in_diff) = out_diff; return; } KALDI_ASSERT((int32)propagate_buf_.size() == NumComponents()+1); KALDI_ASSERT((int32)backpropagate_buf_.size() == NumComponents()+1); // copy out_diff to last buffer backpropagate_buf_[NumComponents()] = out_diff; // backpropagate using buffers for (int32 i = NumComponents()-1; i >= 0; i--) { components_[i]->Backpropagate(propagate_buf_[i], propagate_buf_[i+1], backpropagate_buf_[i+1], &backpropagate_buf_[i]); // if (components_[i]->IsUpdatable()) { // UpdatableComponent *uc = dynamic_cast<UpdatableComponent*>(components_[i]); // uc->Update(propagate_buf_[i], backpropagate_buf_[i+1]); // } } // eventually export the derivative if (NULL != in_diff) (*in_diff) = backpropagate_buf_[0]; // // End of Backpropagation ////////////////////////////////////// } void CNnet::Update(){ // setup training options. // without momentant and l1, l2 norm. NnetTrainOptions bkup_opts = GetTrainOptions(); NnetTrainOptions tmp_opts; tmp_opts.learn_rate = bkup_opts.learn_rate; SetTrainOptions(tmp_opts); vector<Component*> components_; GetComponents(components_); for (int index = 0; index < propagate_buf_arr_.size(); ++index){ vector<CuMatrix<BaseFloat> >& propagate_buf_ = propagate_buf_arr_[index]; vector<CuMatrix<BaseFloat> >& backpropagate_buf_ = backpropagate_buf_arr_[index]; for (int32 i = NumComponents()-1; i >= 0; i--) { if (components_[i]->IsUpdatable()) { UpdatableComponent *uc = dynamic_cast<UpdatableComponent*>(components_[i]); uc->Update(propagate_buf_[i], backpropagate_buf_[i+1]); } } } // setup training options SetTrainOptions(bkup_opts); } void CNnet::GetComponents(vector<Component*> &components){ components.resize(NumComponents()); for(int i = 0; i < components.size(); ++i) components[i] = &GetComponent(i); } void CNnet::Check() const { } void CNnet::Destroy(){ propagate_buf_arr_.resize(0); backpropagate_buf_arr_.resize(0); } void CNnet::resizeAll(){ KALDI_ASSERT(propagate_buf_arr_.size() == backpropagate_buf_arr_.size()); int L = NumComponents() + 1; for(int i = 0; i < propagate_buf_arr_.size(); ++i){ if(propagate_buf_arr_[i].size() != L){ propagate_buf_arr_[i].resize(L); } if(backpropagate_buf_arr_[i].size() != L){ backpropagate_buf_arr_[i].resize(L); } } }
f467fcaab61d089543e10b770364aec52ca0f023
3424a66b4d809a4e196d303bb23dafa7118a9ce6
/vwcardashmega/CanBusReader.cpp
8d689250565e38c1c70afe4542ab5c65b0d40b13
[]
no_license
clkasd/vwcardasharduino
e438cd78d30c420100405e42a47b1a4655d7daca
7b9482c484d3598b072c2cdfa6740cfc16109254
refs/heads/master
2016-09-13T05:44:49.532090
2016-05-25T13:18:15
2016-05-25T13:18:15
59,660,411
7
1
null
null
null
null
UTF-8
C++
false
false
3,257
cpp
CanBusReader.cpp
// // CanBusReader.cpp // Library C++ code // ---------------------------------- // Developed with embedXcode+ // http://embedXcode.weebly.com // // Project vwCarDash // // Created by Aykut Celik, 18/05/16 18:20 // Aykut Celik // // Copyright (c) Aykut Celik, 2016 // Licence <#license#> // // See CanBusReader.h and ReadMe.txt for references // // Library header #include "CanBusReader.h" const int SPI_CS_PIN = 9; const int LED=8; boolean ledON=1; MCP_CAN CAN(SPI_CS_PIN); CanBusReader::CanBusReader() { pinMode(LED,OUTPUT); while (CAN_OK != CAN.begin(CAN_500KBPS)) // init can bus : baudrate = 500k { Serial.println("CAN BUS Shield init fail"); Serial.println(" Init CAN BUS Shield again"); delay(100); } Serial.println("CAN BUS Shield init ok!"); } void CanBusReader::readAll() { unsigned char len = 0; unsigned char buf[8]; if(CAN_MSGAVAIL == CAN.checkReceive()) // check if data coming { CAN.readMsgBuf(&len, buf); // read data, len: data length, buf: data buf unsigned char canId = CAN.getCanId(); if(canId==0x1b)//(true) { Serial.print(canId); Serial.print(" "); for(int i = 0; i<len; i++) // print the data { Serial.print(buf[i]); Serial.print("\t"); } Serial.println(); } } } void CanBusReader::listen() { buttonState=Nothing; unsigned char len = 0; unsigned char buf[8]; if(CAN_MSGAVAIL == CAN.checkReceive()) // check if data coming { CAN.readMsgBuf(&len, buf); // read data, len: data length, buf: data buf unsigned char canId = CAN.getCanId(); //Serial.println(canId); if(canId==0xbf) { switch (buf[0]) { case 16: buttonState=VolUp; break; case 17: buttonState=VolDown; break; case 22: buttonState=Back; break; case 21: buttonState=Forward; break; case 32: buttonState=Mute; break; case 25: buttonState=Voice; break; case 28: buttonState=Phone; break; case 7: buttonState=OK; break; case 4: buttonState=Up; case 5: buttonState=Down; break; break; default: buttonState=Nothing; break; } } else if(canId==0x1b) { if(buf[4]==0) { buttonState=IgnitionOn; } else if(buf[4]==1) { buttonState=IgnitionOff; } } } } ButtonState CanBusReader::getCurrentButtonState() { return buttonState; } // Code
23d40ddb08a789237c4bfdc7118e8d98c897f795
0eb84ec824fb34c18a87a4b50292d6cb41d15511
/ComponentRobotinoConveyerBeltServer_OPCUA/smartsoft/src-gen/params/ParameterStateStructCore.hh
36586ab4bfddcc640beecc16aec09ce513b7aa5f
[]
no_license
SiChiTong/ComponentRepository
1a75ef4b61e37be63b6c5ec217bfb39587eecb80
19b79ae0112c65dddabcc1209f64c813c68b90d6
refs/heads/master
2023-07-12T13:01:10.615767
2021-08-25T09:59:28
2021-08-25T09:59:28
null
0
0
null
null
null
null
UTF-8
C++
false
false
13,298
hh
ParameterStateStructCore.hh
//-------------------------------------------------------------------------- // Code generated by the SmartSoft MDSD Toolchain // The SmartSoft Toolchain has been developed by: // // Service Robotics Research Center // University of Applied Sciences Ulm // Prittwitzstr. 10 // 89075 Ulm (Germany) // // Information about the SmartSoft MDSD Toolchain is available at: // www.servicerobotik-ulm.de // // Please do not modify this file. It will be re-generated // running the code generator. //-------------------------------------------------------------------------- #ifndef _PARAMETERSTATESTRUCTCORE_HH #define _PARAMETERSTATESTRUCTCORE_HH #include "aceSmartSoft.hh" #include "nlohmann/json.hpp" #include <list> #include <iostream> // forward declaration (in order to define validateCOMMIT(ParameterStateStruct) which is implemented in derived class) class ParameterStateStruct; class ParameterStateStructCore { friend class ParamUpdateHandler; public: /////////////////////////////////////////// // Internal params /////////////////////////////////////////// /** * Definition of Parameter OPCUAstatic */ class OPCUAstaticType { friend class ParamUpdateHandler; protected: /** * here are the member definitions */ std::string object_name; std::list<std::string> server_address; public: // default constructor OPCUAstaticType() { object_name = "MPS"; server_address.push_back("NULL_NOT_USED"); server_address.push_back("opc.tcp://10.36.34.241:4840"); server_address.push_back("opc.tcp://10.36.32.125:4840"); } /** * here are the public getters */ inline std::string getObject_name() const { return object_name; } inline std::list<std::string> getServer_address() const { return server_address; } void to_ostream(std::ostream &os = std::cout) const { os << "OPCUAstatic("; os << "object_name = " << object_name; os << ", "; os << "server_address = ["; for(auto server_addressIt = server_address.begin(); server_addressIt != server_address.end(); server_addressIt++) { if(server_addressIt != server_address.begin()) { os << ", "; } os << *server_addressIt; } os << "]"; os << ")\n"; } }; // end class OPCUAstaticType /** * Definition of Parameter Robot */ class RobotType { friend class ParamUpdateHandler; protected: /** * here are the member definitions */ unsigned int FallingEdge_PW_Load_mSec; unsigned int FallingEdge_PW_Unload_mSec; unsigned int LoadProcess_TimeOutSec; unsigned short NoOf_FallingEdge_Load; unsigned short NoOf_FallingEdge_Unload; unsigned int UnloadProcess_TimeOutSec; short ack_pressed_din; unsigned int belt_time_out_sec; unsigned short box_present_din; unsigned short dock_complete_dout; bool ignore_station_communication; int ignore_station_communication_unload_time_sec; float load_motor_direction; short manual_load_dout; short signal_error_dout; short signal_loading_dout; short signal_unloading_dout; unsigned int station_communication_delay_sec; unsigned int station_communication_delay_usec; unsigned short trans_read_din; float unload_motor_direction; public: // default constructor RobotType() { FallingEdge_PW_Load_mSec = 100; FallingEdge_PW_Unload_mSec = 100; LoadProcess_TimeOutSec = 60; NoOf_FallingEdge_Load = 8; NoOf_FallingEdge_Unload = 4; UnloadProcess_TimeOutSec = 60; ack_pressed_din = 4; belt_time_out_sec = 10; box_present_din = 2; dock_complete_dout = 0; ignore_station_communication = false; ignore_station_communication_unload_time_sec = 4; load_motor_direction = 1; manual_load_dout = 5; signal_error_dout = 5; signal_loading_dout = 6; signal_unloading_dout = 7; station_communication_delay_sec = 0; station_communication_delay_usec = 500000; trans_read_din = 3; unload_motor_direction = 1; } /** * here are the public getters */ inline unsigned int getFallingEdge_PW_Load_mSec() const { return FallingEdge_PW_Load_mSec; } inline unsigned int getFallingEdge_PW_Unload_mSec() const { return FallingEdge_PW_Unload_mSec; } inline unsigned int getLoadProcess_TimeOutSec() const { return LoadProcess_TimeOutSec; } inline unsigned short getNoOf_FallingEdge_Load() const { return NoOf_FallingEdge_Load; } inline unsigned short getNoOf_FallingEdge_Unload() const { return NoOf_FallingEdge_Unload; } inline unsigned int getUnloadProcess_TimeOutSec() const { return UnloadProcess_TimeOutSec; } inline short getAck_pressed_din() const { return ack_pressed_din; } inline unsigned int getBelt_time_out_sec() const { return belt_time_out_sec; } inline unsigned short getBox_present_din() const { return box_present_din; } inline unsigned short getDock_complete_dout() const { return dock_complete_dout; } inline bool getIgnore_station_communication() const { return ignore_station_communication; } inline int getIgnore_station_communication_unload_time_sec() const { return ignore_station_communication_unload_time_sec; } inline float getLoad_motor_direction() const { return load_motor_direction; } inline short getManual_load_dout() const { return manual_load_dout; } inline short getSignal_error_dout() const { return signal_error_dout; } inline short getSignal_loading_dout() const { return signal_loading_dout; } inline short getSignal_unloading_dout() const { return signal_unloading_dout; } inline unsigned int getStation_communication_delay_sec() const { return station_communication_delay_sec; } inline unsigned int getStation_communication_delay_usec() const { return station_communication_delay_usec; } inline unsigned short getTrans_read_din() const { return trans_read_din; } inline float getUnload_motor_direction() const { return unload_motor_direction; } void to_ostream(std::ostream &os = std::cout) const { os << "Robot("; os << "FallingEdge_PW_Load_mSec = " << FallingEdge_PW_Load_mSec; os << ", "; os << "FallingEdge_PW_Unload_mSec = " << FallingEdge_PW_Unload_mSec; os << ", "; os << "LoadProcess_TimeOutSec = " << LoadProcess_TimeOutSec; os << ", "; os << "NoOf_FallingEdge_Load = " << NoOf_FallingEdge_Load; os << ", "; os << "NoOf_FallingEdge_Unload = " << NoOf_FallingEdge_Unload; os << ", "; os << "UnloadProcess_TimeOutSec = " << UnloadProcess_TimeOutSec; os << ", "; os << "ack_pressed_din = " << ack_pressed_din; os << ", "; os << "belt_time_out_sec = " << belt_time_out_sec; os << ", "; os << "box_present_din = " << box_present_din; os << ", "; os << "dock_complete_dout = " << dock_complete_dout; os << ", "; os << "ignore_station_communication = " << ignore_station_communication; os << ", "; os << "ignore_station_communication_unload_time_sec = " << ignore_station_communication_unload_time_sec; os << ", "; os << "load_motor_direction = " << load_motor_direction; os << ", "; os << "manual_load_dout = " << manual_load_dout; os << ", "; os << "signal_error_dout = " << signal_error_dout; os << ", "; os << "signal_loading_dout = " << signal_loading_dout; os << ", "; os << "signal_unloading_dout = " << signal_unloading_dout; os << ", "; os << "station_communication_delay_sec = " << station_communication_delay_sec; os << ", "; os << "station_communication_delay_usec = " << station_communication_delay_usec; os << ", "; os << "trans_read_din = " << trans_read_din; os << ", "; os << "unload_motor_direction = " << unload_motor_direction; os << ")\n"; } }; // end class RobotType /////////////////////////////////////////// // External params /////////////////////////////////////////// /////////////////////////////////////////// // Instance params /////////////////////////////////////////// /** * Definition of instantiated ParameterRepository CommRobotinoObjects */ class CommRobotinoObjectsType { friend class ParamUpdateHandler; public: /** * Definition of instantiated ParameterSet RobotinoConveyerParameter */ class RobotinoConveyerParameterType { friend class ParamUpdateHandler; public: /** * Definition of Parameter SetStationID */ class SetStationIDType { friend class ParamUpdateHandler; protected: /** * here are the member definitions */ short id; public: // default constructor SetStationIDType() { id = 0; } /** * here are the getter methods */ inline short getId() const { return id; } void to_ostream(std::ostream &os = std::cout) const { os << "\tSetStationID("; os << "id = " << id; os << ")\n"; } }; // end of parameter class SetStationIDType protected: /** * internal members */ SetStationIDType SetStationID; public: /** * public getter methods */ inline SetStationIDType getSetStationID() const { return SetStationID; } void to_ostream(std::ostream &os = std::cout) const { os << "RobotinoConveyerParameter(\n"; SetStationID.to_ostream(os); os << ")"; } }; // end of parameter-set class RobotinoConveyerParameterType protected: /** * internal members */ RobotinoConveyerParameterType RobotinoConveyerParameter; public: /** * public getter methods */ inline RobotinoConveyerParameterType getRobotinoConveyerParameter() const { return RobotinoConveyerParameter; } void to_ostream(std::ostream &os = std::cout) const { os << "CommRobotinoObjects(\n"; RobotinoConveyerParameter.to_ostream(os); os << ")"; } }; // end of parameter-repository wrapper class CommRobotinoObjectsType protected: // Internal params OPCUAstaticType OPCUAstatic; RobotType Robot; // External params // Instance params (encapsulated in a wrapper class for each instantiated parameter repository) CommRobotinoObjectsType CommRobotinoObjects; void setContent(const ParameterStateStructCore &commit) { // External params this->CommRobotinoObjects = commit.getCommRobotinoObjects(); } // special trigger method (user upcall) called before updating parameter global state virtual SmartACE::ParamResponseType handleCOMMIT(const ParameterStateStruct &commitState) = 0; public: ParameterStateStructCore() { } virtual ~ParameterStateStructCore() { } // internal param getters OPCUAstaticType getOPCUAstatic() const { return OPCUAstatic; } RobotType getRobot() const { return Robot; } // external param getters // repo wrapper class getter(s) CommRobotinoObjectsType getCommRobotinoObjects() const { return CommRobotinoObjects; } // helper method to easily implement output stream in derived classes void to_ostream(std::ostream &os = std::cout) const { // Internal params OPCUAstatic.to_ostream(os); Robot.to_ostream(os); // External params // Instance params (encapsulated in a wrapper class for each instantiated parameter repository) CommRobotinoObjects.to_ostream(os); } std::string getAsJSONString() { nlohmann::json param; param["OPCUAstatic"] = nlohmann::json { {"object_name" , getOPCUAstatic().getObject_name()}, {"server_address" , getOPCUAstatic().getServer_address()} }; param["Robot"] = nlohmann::json { {"FallingEdge_PW_Load_mSec" , getRobot().getFallingEdge_PW_Load_mSec()}, {"FallingEdge_PW_Unload_mSec" , getRobot().getFallingEdge_PW_Unload_mSec()}, {"LoadProcess_TimeOutSec" , getRobot().getLoadProcess_TimeOutSec()}, {"NoOf_FallingEdge_Load" , getRobot().getNoOf_FallingEdge_Load()}, {"NoOf_FallingEdge_Unload" , getRobot().getNoOf_FallingEdge_Unload()}, {"UnloadProcess_TimeOutSec" , getRobot().getUnloadProcess_TimeOutSec()}, {"ack_pressed_din" , getRobot().getAck_pressed_din()}, {"belt_time_out_sec" , getRobot().getBelt_time_out_sec()}, {"box_present_din" , getRobot().getBox_present_din()}, {"dock_complete_dout" , getRobot().getDock_complete_dout()}, {"ignore_station_communication" , getRobot().getIgnore_station_communication()}, {"ignore_station_communication_unload_time_sec" , getRobot().getIgnore_station_communication_unload_time_sec()}, {"load_motor_direction" , getRobot().getLoad_motor_direction()}, {"manual_load_dout" , getRobot().getManual_load_dout()}, {"signal_error_dout" , getRobot().getSignal_error_dout()}, {"signal_loading_dout" , getRobot().getSignal_loading_dout()}, {"signal_unloading_dout" , getRobot().getSignal_unloading_dout()}, {"station_communication_delay_sec" , getRobot().getStation_communication_delay_sec()}, {"station_communication_delay_usec" , getRobot().getStation_communication_delay_usec()}, {"trans_read_din" , getRobot().getTrans_read_din()}, {"unload_motor_direction" , getRobot().getUnload_motor_direction()} }; param["RobotinoConveyerParameter"] = nlohmann::json { { "SetStationID", { {"id" , getCommRobotinoObjects().getRobotinoConveyerParameter().getSetStationID().getId()} }} }; return param.dump(); } }; #endif
52b21fb26b51093c33607577551ac2c5736a2b14
8d21ca5f48bc41087929d8c33b8e63053a3991ad
/src/main.cpp
f3bfb53806f4dc3d6980222e710ed96bd54209c2
[]
no_license
hwshenmin/MessageSender
b347a6bd85cd6763e620c97ef9a088e0be76a3cd
878ceeb9c245fed07f137db0da6f2ce4c6522b1f
refs/heads/master
2020-05-23T08:04:39.199889
2014-06-24T01:27:50
2014-06-24T01:27:50
null
0
0
null
null
null
null
UTF-8
C++
false
false
758
cpp
main.cpp
#include "stdafx.h" #include "MainGuard.h" #include "MessageSender.h" #include "Parameter.h" #include "CommandLineHelper.h" void main(int argc, char* argv[]) { MainGuard main_guard( argc, argv ); CommandLineHelper command_line_helper; ParameterPtrList parameters = command_line_helper.get_parameters(); MessageSenderPtrList m_senders; for ( size_t i = 0; i < parameters.size(); ++i ) { MessageSenderPtr message_sender( new MessageSender( parameters[i] ) ); main_guard.register_command_observer( message_sender.get() ); m_senders.push_back( message_sender ); } main_guard.wait_for_user_command(); for ( size_t i = 0; i < m_senders.size(); ++i ) { m_senders[i]->terminate(); } }